feat: add convo volatile info mgmt

pull/2620/head
Audric Ackermann 2 years ago
parent c4e17d0825
commit 21d8151b8b

@ -40,10 +40,10 @@ message MessageRequestResponse {
message SharedConfigMessage {
enum Kind {
USER_PROFILE = 1;
CONTACTS = 2;
// CONVO_INFO_VOLATILE = 3;
USER_GROUPS = 4;
USER_PROFILE = 1;
CONTACTS = 2;
CONVO_INFO_VOLATILE = 3;
USER_GROUPS = 4;
// CLOSED_GROUP_INFO = 5;
// CLOSED_GROUP_MEMBERS = 6;
// ENCRYPTION_KEYS = 7;

@ -103,6 +103,7 @@ import {
} from './conversationAttributes';
import { SessionUtilUserGroups } from '../session/utils/libsession/libsession_utils_user_groups';
import { Registration } from '../util/registration';
import { SessionUtilConvoInfoVolatile } from '../session/utils/libsession/libsession_utils_convo_info_volatile';
export class ConversationModel extends Backbone.Model<ConversationAttributes> {
public updateLastMessage: () => any;
@ -2235,9 +2236,12 @@ export async function commitConversationAndRefreshWrapper(id: string) {
convo
);
const shouldBeSavedToUserGroupsWrapper = SessionUtilUserGroups.isUserGroupToStoreInWrapper(convo);
const shouldBeSavedToConvoInfoVolatileWrapper = SessionUtilConvoInfoVolatile.isConvoToStoreInWrapper(
convo
);
console.warn(
`should be saved to wrapper ${id}: contacts:${shouldBeSavedToContactsWrapper}; usergroups:${shouldBeSavedToUserGroupsWrapper}`
`should be saved to wrapper ${id}: contacts:${shouldBeSavedToContactsWrapper}; usergroups:${shouldBeSavedToUserGroupsWrapper}, volatile:${shouldBeSavedToConvoInfoVolatileWrapper}`
);
if (shouldBeSavedToContactsWrapper) {
@ -2246,12 +2250,13 @@ export async function commitConversationAndRefreshWrapper(id: string) {
await SessionUtilUserGroups.insertGroupsFromDBIntoWrapperAndRefresh(convo.id);
}
if (shouldBeSavedToConvoInfoVolatileWrapper) {
await SessionUtilConvoInfoVolatile.insertConvoFromDBIntoWrapperAndRefresh(convo.id);
}
if (Registration.isDone()) {
// save the new dump if needed to the DB asap
// this call throttled so we do not run this too often (and not for every .commit())
await ConfigurationDumpSync.queueNewJobIfNeeded();
// if we need to sync the dump, also send add a job for syncing
await ConfigurationSync.queueNewJobIfNeeded();
}
convo.triggerUIRefresh();

@ -291,11 +291,7 @@ async function handleCommunitiesUpdate() {
async function handleLegacyGroupUpdate(latestEnvelopeTimestamp: number) {
// first let's check which closed groups needs to be joined or left by doing a diff of what is in the wrapper and what is in the DB
const allLegacyGroupsInWrapper = await UserGroupsWrapperActions.getAllLegacyGroups();
if (allLegacyGroupsInWrapper.some(m => m.members.length === 0)) {
debugger;
}
const allLegacyGroupsInDb = getConversationController()
.getConversations()
.filter(SessionUtilUserGroups.isLegacyGroupToStoreInWrapper);
@ -341,9 +337,6 @@ async function handleLegacyGroupUpdate(latestEnvelopeTimestamp: number) {
for (let index = 0; index < allLegacyGroupsInWrapper.length; index++) {
const fromWrapper = allLegacyGroupsInWrapper[index];
if (fromWrapper.members.length === 0) {
debugger;
}
const convo = getConversationController().get(fromWrapper.pubkeyHex);
if (!convo) {
// this should not happen as we made sure to create them before
@ -460,6 +453,34 @@ async function handleUserGroupsUpdate(result: IncomingConfResult): Promise<Incom
return result;
}
async function handleConvoInfoVolatileUpdate(
result: IncomingConfResult
): Promise<IncomingConfResult> {
if (!result.needsDump) {
return result;
}
console.error('handleConvoInfoVolatileUpdate : TODO ');
// const toHandle = SessionUtilUserGroups.getUserGroupTypes();
// for (let index = 0; index < toHandle.length; index++) {
// const typeToHandle = toHandle[index];
// switch (typeToHandle) {
// case 'Community':
// await handleCommunitiesUpdate();
// break;
// case 'LegacyGroup':
// await handleLegacyGroupUpdate(result.latestEnvelopeTimestamp);
// break;
// default:
// assertUnreachable(typeToHandle, `handleUserGroupsUpdate unhandled type "${typeToHandle}"`);
// }
// }
return result;
}
async function processMergingResults(results: Map<ConfigWrapperObjectTypes, IncomingConfResult>) {
if (!results || !results.size) {
return;
@ -486,8 +507,15 @@ async function processMergingResults(results: Map<ConfigWrapperObjectTypes, Inco
case SignalService.SharedConfigMessage.Kind.USER_GROUPS:
await handleUserGroupsUpdate(incomingResult);
break;
case SignalService.SharedConfigMessage.Kind.CONVO_INFO_VOLATILE:
await handleConvoInfoVolatileUpdate(incomingResult);
break;
default:
assertUnreachable(kind, `processMergingResults unsupported kind: "${kind}"`);
try {
assertUnreachable(kind, `processMergingResults unsupported kind: "${kind}"`);
} catch (e) {
window.log.warn('assertUnreachable failed', e.message);
}
}
const variant = LibSessionUtil.kindToVariant(kind);

@ -1,3 +1,5 @@
import { assertUnreachable } from '../../../types/sqlSharedTypes';
export enum SnodeNamespaces {
/**
* This is the namespace anyone can deposit a message for us
@ -12,6 +14,10 @@ export enum SnodeNamespaces {
* This is the namespace used to sync our contacts
*/
UserContacts = 3,
/**
* This is the namespace used to sync our contacts
*/
ConvoInfoVolatile = 4,
/**
* This is the namespace used to sync our user groups and communities
@ -47,30 +53,24 @@ export type SnodeNamespacesUser = PickEnum<
* Returns true if that namespace is associated with the config of a user (not his messages, only configs)
*/
function isUserConfigNamespace(namespace: SnodeNamespaces) {
return (
namespace === SnodeNamespaces.UserContacts ||
namespace === SnodeNamespaces.UserProfile ||
namespace === SnodeNamespaces.UserGroups
);
}
switch (namespace) {
case SnodeNamespaces.UserMessages:
// user messages is not hosting config based messages
return false;
case SnodeNamespaces.UserContacts:
case SnodeNamespaces.UserProfile:
case SnodeNamespaces.UserGroups:
case SnodeNamespaces.ConvoInfoVolatile:
return true;
case SnodeNamespaces.ClosedGroupInfo:
case SnodeNamespaces.ClosedGroupMessage:
return false;
/**
* Returns true if that namespace is associated with the config of a closed group (not its messages, only configs)
*/
function isGroupConfigNamespace(namespace: SnodeNamespaces) {
return namespace === SnodeNamespaces.ClosedGroupInfo;
}
/**
* Returns true if that specific namespace hashes should be tracked.
* We do not care about hash tracking for any of the config namespaces as we poll for all of them each poll event.
*/
function isNamespaceAlwaysPolled(namespace: SnodeNamespaces) {
return !isUserConfigNamespace(namespace) && !isGroupConfigNamespace(namespace);
default:
assertUnreachable(namespace, `isUserConfigNamespace case not handled: ${namespace}`);
}
}
export const SnodeNamespace = {
isUserConfigNamespace,
isGroupConfigNamespace,
isNamespaceAlwaysPolled,
};

@ -509,9 +509,6 @@ export class SwarmPolling {
hash: string;
expiration: number;
}): Promise<void> {
// if (!SnodeNamespace.isNamespaceAlwaysPolled(namespace)) {
// return;
// }
const pkStr = pubkey.key;
const cached = await this.getLastHash(edkey, pubkey.key, namespace);
@ -535,9 +532,6 @@ export class SwarmPolling {
}
private async getLastHash(nodeEdKey: string, pubkey: string, namespace: number): Promise<string> {
// if (!SnodeNamespace.isNamespaceAlwaysPolled(namespace)) {
// return '';
// }
if (!this.lastHashes[nodeEdKey]?.[pubkey]?.[namespace]) {
const lastHash = await Data.getLastHashBySnode(pubkey, nodeEdKey, namespace);

@ -13,6 +13,7 @@ import { SessionUtilContact } from '../utils/libsession/libsession_utils_contact
import { SessionUtilUserGroups } from '../utils/libsession/libsession_utils_user_groups';
import { leaveClosedGroup } from '../group/closed-group';
import { ConfigurationSync } from '../utils/job_runners/jobs/ConfigurationSyncJob';
import { SessionUtilConvoInfoVolatile } from '../utils/libsession/libsession_utils_convo_info_volatile';
let instance: ConversationController | null;
@ -316,6 +317,13 @@ export class ConversationController {
if (SessionUtilUserGroups.isUserGroupToStoreInWrapper(convo)) {
await SessionUtilUserGroups.refreshMappedValue(convo.id, true);
}
if (SessionUtilConvoInfoVolatile.isConvoToStoreInWrapper(convo)) {
await SessionUtilConvoInfoVolatile.refreshMappedValue(
convo.id,
Boolean(convo.isClosedGroup() && convo.id.startsWith('05')),
true
);
}
}
console.timeEnd('refreshAllWrapperContactsData');

@ -27,8 +27,8 @@ let lastRunConfigSyncJobDumpTimestamp: number | null = null;
async function saveDumpsNeededToDB(): Promise<boolean> {
let savedAtLeastOne = false;
for (let i = 0; i < LibSessionUtil.userVariants.length; i++) {
const variant = LibSessionUtil.userVariants[i];
for (let i = 0; i < LibSessionUtil.requiredUserVariants.length; i++) {
const variant = LibSessionUtil.requiredUserVariants[i];
const needsDump = await GenericWrapperActions.needsDump(variant);
if (!needsDump) {
@ -95,8 +95,8 @@ class ConfigurationSyncDumpJob extends PersistedJob<ConfigurationSyncDumpPersist
// so when we call needsDump(), we know for sure that we are up to date
console.time('ConfigurationSyncDumpJob insertAll');
for (let index = 0; index < LibSessionUtil.userVariants.length; index++) {
const variant = LibSessionUtil.userVariants[index];
for (let index = 0; index < LibSessionUtil.requiredUserVariants.length; index++) {
const variant = LibSessionUtil.requiredUserVariants[index];
switch (variant) {
case 'UserConfig':
await LibSessionUtil.insertUserProfileIntoWrapper();
@ -107,7 +107,9 @@ class ConfigurationSyncDumpJob extends PersistedJob<ConfigurationSyncDumpPersist
case 'UserGroupsConfig':
await LibSessionUtil.insertAllUserGroupsIntoWrapper();
break;
case 'ConvoInfoVolatileConfig':
await LibSessionUtil.insertAllConvoInfoVolatileIntoWrapper();
break;
default:
assertUnreachable(variant, `ConfigurationSyncDumpJob unhandled variant: "${variant}"`);
}

@ -191,8 +191,8 @@ class ConfigurationSyncJob extends PersistedJob<ConfigurationSyncPersistedData>
window.log.warn('did not find our own conversation');
return RunJobResult.PermanentFailure;
}
for (let index = 0; index < LibSessionUtil.userVariants.length; index++) {
const variant = LibSessionUtil.userVariants[index];
for (let index = 0; index < LibSessionUtil.requiredUserVariants.length; index++) {
const variant = LibSessionUtil.requiredUserVariants[index];
switch (variant) {
case 'UserConfig':
await LibSessionUtil.insertUserProfileIntoWrapper();
@ -203,7 +203,9 @@ class ConfigurationSyncJob extends PersistedJob<ConfigurationSyncPersistedData>
case 'UserGroupsConfig':
await LibSessionUtil.insertAllUserGroupsIntoWrapper();
break;
case 'ConvoInfoVolatileConfig':
await LibSessionUtil.insertAllConvoInfoVolatileIntoWrapper();
break;
default:
assertUnreachable(variant, `ConfigurationSyncDumpJob unhandled variant: "${variant}"`);
}

@ -11,14 +11,16 @@ import { SnodeNamespaces } from '../../apis/snode_api/namespaces';
import { SharedConfigMessage } from '../../messages/outgoing/controlMessage/SharedConfigMessage';
import { ConfigurationSync } from '../job_runners/jobs/ConfigurationSyncJob';
import { SessionUtilContact } from './libsession_utils_contacts';
import { SessionUtilConvoInfoVolatile } from './libsession_utils_convo_info_volatile';
import { SessionUtilUserGroups } from './libsession_utils_user_groups';
import { SessionUtilUserProfile } from './libsession_utils_user_profile';
// TODO complete this list
const userVariants: Array<ConfigWrapperObjectTypes> = [
const requiredUserVariants: Array<ConfigWrapperObjectTypes> = [
'UserConfig',
'ContactsConfig',
'UserGroupsConfig',
'ConvoInfoVolatileConfig',
];
export type IncomingConfResult = {
@ -74,21 +76,14 @@ async function initializeLibSessionUtilWrappers() {
}
}
// TODO
console.warn('requiredVariants: FIXME add conversation volatile wrapper as required ');
const missingRequiredVariants: Array<ConfigWrapperObjectTypes> = difference(
LibSessionUtil.userVariants,
LibSessionUtil.requiredUserVariants,
[...userVariantsBuildWithoutErrors.values()]
);
if (missingRequiredVariants.length) {
// TODO this is only needed for debugging. Should be removed as we force them created right below with an empty dump
// throw new Error(`missingRequiredVariants: ${JSON.stringify(missingRequiredVariants)}`);
}
for (let index = 0; index < missingRequiredVariants.length; index++) {
const missingVariant = missingRequiredVariants[index];
window.log.warn('initializeLibSessionUtilWrappers: missingRequiredVariants: ', missingVariant);
await GenericWrapperActions.init(missingVariant, privateKeyEd25519, null);
}
}
@ -100,7 +95,7 @@ async function pendingChangesForPubkey(pubkey: string): Promise<Array<OutgoingCo
// Ensure we always check the required user config types for changes even if there is no dump
// data yet (to deal with first launch cases)
if (pubkey === us) {
LibSessionUtil.userVariants.forEach(requiredVariant => {
LibSessionUtil.requiredUserVariants.forEach(requiredVariant => {
if (!dumps.find(m => m.publicKey === us && m.variant === requiredVariant)) {
dumps.push({
publicKey: us,
@ -148,6 +143,8 @@ function kindToVariant(kind: SignalService.SharedConfigMessage.Kind): ConfigWrap
return 'ContactsConfig';
case SignalService.SharedConfigMessage.Kind.USER_GROUPS:
return 'UserGroupsConfig';
case SignalService.SharedConfigMessage.Kind.CONVO_INFO_VOLATILE:
return 'ConvoInfoVolatileConfig';
default:
assertUnreachable(kind, `kindToVariant: Unsupported variant: "${kind}"`);
}
@ -161,6 +158,8 @@ function variantToKind(variant: ConfigWrapperObjectTypes): SignalService.SharedC
return SignalService.SharedConfigMessage.Kind.CONTACTS;
case 'UserGroupsConfig':
return SignalService.SharedConfigMessage.Kind.USER_GROUPS;
case 'ConvoInfoVolatileConfig':
return SignalService.SharedConfigMessage.Kind.CONVO_INFO_VOLATILE;
default:
assertUnreachable(variant, `variantToKind: Unsupported kind: "${variant}"`);
}
@ -184,11 +183,12 @@ async function markAsPushed(
export const LibSessionUtil = {
initializeLibSessionUtilWrappers,
userVariants,
requiredUserVariants,
pendingChangesForPubkey,
insertUserProfileIntoWrapper: SessionUtilUserProfile.insertUserProfileIntoWrapper,
insertAllContactsIntoContactsWrapper: SessionUtilContact.insertAllContactsIntoContactsWrapper,
insertAllUserGroupsIntoWrapper: SessionUtilUserGroups.insertAllUserGroupsIntoWrapper,
insertAllConvoInfoVolatileIntoWrapper: SessionUtilConvoInfoVolatile.insertAllConvosIntoWrapper,
removeCommunityFromWrapper: SessionUtilUserGroups.removeCommunityFromWrapper,
kindToVariant,
variantToKind,

@ -108,8 +108,6 @@ async function insertContactFromDBIntoWrapperAndRefresh(id: string): Promise<voi
}
/**
* refreshMappedValue is used to query the Contacts Wrapper for the details of that contact and update the cached in-memory entry representing its content.
* @param id the pubkey to re fresh the cached value from
* @param duringAppStart set this to true if we should just fetch the cached value but not trigger a UI refresh of the corresponding conversation
*/
async function refreshMappedValue(id: string, duringAppStart = false) {

@ -0,0 +1,253 @@
import { uniq } from 'lodash';
import {
ConvoInfoVolatile1o1,
ConvoInfoVolatileCommunity,
ConvoInfoVolatileLegacyGroup,
ConvoVolatileType,
} from 'session_util_wrapper';
import { OpenGroupData } from '../../../data/opengroups';
import { ConversationModel } from '../../../models/conversation';
import { assertUnreachable } from '../../../types/sqlSharedTypes';
import {
ConvoInfoVolatileWrapperActions,
UserGroupsWrapperActions,
} from '../../../webworker/workers/browser/libsession_worker_interface';
import { OpenGroupUtils } from '../../apis/open_group_api/utils';
import { getConversationController } from '../../conversations';
import { SessionUtilContact } from './libsession_utils_contacts';
import { SessionUtilUserGroups } from './libsession_utils_user_groups';
/**
* The key of this map is the convoId as stored in the database.
*/
const mapped1o1WrapperValues = new Map<string, ConvoInfoVolatile1o1>();
/**
* The key of this map is the convoId as stored in the database. So the legacy group 05 sessionID
*/
const mappedLegacyGroupWrapperValues = new Map<string, ConvoInfoVolatileLegacyGroup>();
/**
* The key of this map is the convoId as stored in the database, so withoutpubkey
*/
const mappedCommunityWrapperValues = new Map<string, ConvoInfoVolatileCommunity>();
/**
* Update the ConvoInfoVolatileWrapper with all the data is cares about from the database.
*/
async function insertAllConvosIntoWrapper() {
const convoIdsToInsert = uniq(
getConversationController()
.getConversations()
.filter(isConvoToStoreInWrapper)
.map(m => m.id)
);
window.log.debug(
`ConvoInfoVolatileWrapper keep tracks of ${convoIdsToInsert.length} convos in total.`
);
for (let index = 0; index < convoIdsToInsert.length; index++) {
const id = convoIdsToInsert[index];
await insertConvoFromDBIntoWrapperAndRefresh(id);
}
}
/**
* Returns true if that conversation should be stored in the conversation volatile info wrapper.
* It actually relies on the two other wrappers to know what to store:
* - Usergroups to know which communities and legacy group to store
* - Contacts to know which contacts to store
*/
function isConvoToStoreInWrapper(convo: ConversationModel): boolean {
return (
SessionUtilUserGroups.isUserGroupToStoreInWrapper(convo) || // this checks for community & legacy group
SessionUtilContact.isContactToStoreInContactsWrapper(convo) // this checks for contacts
);
}
function getConvoType(convo: ConversationModel): ConvoVolatileType {
const convoType: ConvoVolatileType = SessionUtilContact.isContactToStoreInContactsWrapper(convo)
? '1o1'
: SessionUtilUserGroups.isCommunityToStoreInWrapper(convo)
? 'Community'
: 'LegacyGroup';
return convoType;
}
/**
* Fetches the specified convo and updates the required field in the wrapper.
* If that community does not exist in the wrapper, it is created before being updated.
* Same applies for a legacy group.
*/
async function insertConvoFromDBIntoWrapperAndRefresh(convoId: string): Promise<void> {
const foundConvo = getConversationController().get(convoId);
if (!foundConvo) {
return;
}
if (!isConvoToStoreInWrapper(foundConvo)) {
return;
}
console.info(`inserting into convoInfoVolatile wrapper "${convoId}"...`);
console.warn('ConvoInfoVolatileWrapperActions to finish with unread and readAt');
const convoType = getConvoType(foundConvo);
switch (convoType) {
case '1o1':
try {
await ConvoInfoVolatileWrapperActions.set1o1(convoId, 0, false);
await refreshMappedValue(convoId, false, false);
} catch (e) {
window.log.warn(
`ConvoInfoVolatileWrapperActions.set1o1 of ${convoId} failed with ${e.message}`
);
}
break;
case 'LegacyGroup':
try {
await ConvoInfoVolatileWrapperActions.setLegacyGroup(convoId, 0, false);
await refreshMappedValue(convoId, true, false);
} catch (e) {
window.log.warn(
`ConvoInfoVolatileWrapperActions.setLegacyGroup of ${convoId} failed with ${e.message}`
);
// we stil let this go through
}
break;
case 'Community':
try {
const asOpengroup = foundConvo.toOpenGroupV2();
const roomDetails = OpenGroupData.getV2OpenGroupRoomByRoomId(asOpengroup);
if (!roomDetails) {
return;
}
// we need to build the full URL with the pubkey so we can add it to the wrapper. Let's reuse the exposed method from the wrapper for that
const fullUrlWithPubkey = await UserGroupsWrapperActions.buildFullUrlFromDetails(
roomDetails.serverUrl,
roomDetails.roomId,
roomDetails.serverPublicKey
);
console.info(`inserting into convoInfoVolatile wrapper "${fullUrlWithPubkey}"...`);
// this does the create or the update of the matching existing community
await ConvoInfoVolatileWrapperActions.setCommunityByFullUrl(fullUrlWithPubkey, 0, false);
await refreshMappedValue(convoId, false, false);
} catch (e) {
window.log.warn(
`ConvoInfoVolatileWrapperActions.setCommunityByFullUrl of ${convoId} failed with ${e.message}`
);
// we still let this go through
}
break;
default:
assertUnreachable(
convoType,
`insertConvoFromDBIntoWrapperAndRefresh unhandled case "${convoType}"`
);
}
}
/**
* @param isLegacyGroup we need this to know if the corresponding 05 starting pubkey is associated with a legacy group or not
* @param duringAppStart set this to true if we should just fetch the cached value but not trigger a UI refresh of the corresponding conversation
*/
async function refreshMappedValue(
convoId: string,
isLegacyGroup: boolean,
duringAppStart: boolean
) {
try {
let refreshed = false;
if (OpenGroupUtils.isOpenGroupV2(convoId)) {
const fromWrapper = await ConvoInfoVolatileWrapperActions.getCommunity(convoId);
if (fromWrapper && fromWrapper.fullUrlWithPubkey) {
mappedCommunityWrapperValues.set(convoId, fromWrapper);
}
refreshed = true;
} else if (convoId.startsWith('05') && isLegacyGroup) {
const fromWrapper = await ConvoInfoVolatileWrapperActions.getLegacyGroup(convoId);
if (fromWrapper) {
mappedLegacyGroupWrapperValues.set(convoId, fromWrapper);
}
refreshed = true;
} else if (convoId.startsWith('05')) {
const fromWrapper = await ConvoInfoVolatileWrapperActions.get1o1(convoId);
if (fromWrapper) {
mapped1o1WrapperValues.set(convoId, fromWrapper);
}
refreshed = true;
}
if (refreshed && !duringAppStart) {
getConversationController()
.get(convoId)
?.triggerUIRefresh();
}
} catch (e) {
window.log.info(`refreshMappedValue for volatile convoID: ${convoId}`, e.message);
}
// TODO handle the new closed groups once we got them ready
}
function get1o1(convoId: string): ConvoInfoVolatile1o1 | undefined {
return mapped1o1WrapperValues.get(convoId);
}
function getAll1o1(): Array<ConvoInfoVolatile1o1> {
return [...mapped1o1WrapperValues.values()];
}
function getCommunityMappedValueByConvoId(convoId: string) {
return mappedCommunityWrapperValues.get(convoId);
}
function getAllCommunities(): Array<ConvoInfoVolatileCommunity> {
return [...mappedCommunityWrapperValues.values()];
}
function getLegacyGroupMappedValueByConvoId(convoId: string) {
return mappedLegacyGroupWrapperValues.get(convoId);
}
function getAllLegacyGroups(): Array<ConvoInfoVolatileLegacyGroup> {
return [...mappedLegacyGroupWrapperValues.values()];
}
/**
* This function can be used where there are things to do for all the types handled by this wrapper.
* You can do a loop on all the types handled by this wrapper and have a switch using assertUnreachable to get errors when not every case is handled.
*
*
* Note: Ideally, we'd like to have this type in the wrapper index.d.ts, but it would require it to be a index.ts instead, which causes a whole other bunch of issues because it is a native node module.
*/
function getConvoInfoVolatileTypes(): Array<ConvoVolatileType> {
return ['1o1', 'LegacyGroup', 'Community'];
}
export const SessionUtilConvoInfoVolatile = {
// shared
isConvoToStoreInWrapper,
insertAllConvosIntoWrapper,
insertConvoFromDBIntoWrapperAndRefresh,
refreshMappedValue,
getConvoInfoVolatileTypes,
// 1o1
get1o1,
getAll1o1,
// removeCommunityFromWrapper,
// legacy group
getLegacyGroupMappedValueByConvoId,
getAllLegacyGroups,
// removeLegacyGroupFromWrapper, // a group can be removed but also just marked hidden, so only call this function when the group is completely removed // TODO
// communities
getAllCommunities,
getCommunityMappedValueByConvoId,
// removeCommunityFromWrapper,
};

@ -4,6 +4,7 @@ import { Data } from '../../../data/data';
import { OpenGroupData } from '../../../data/opengroups';
import { ConversationModel } from '../../../models/conversation';
import {
assertUnreachable,
getCommunityInfoFromDBValues,
getLegacyGroupInfoFromDBValues,
} from '../../../types/sqlSharedTypes';
@ -80,71 +81,80 @@ async function insertGroupsFromDBIntoWrapperAndRefresh(convoId: string): Promise
return;
}
if (isCommunityToStoreInWrapper(foundConvo)) {
const asOpengroup = foundConvo.toOpenGroupV2();
const convoType: UserGroupsType = isCommunityToStoreInWrapper(foundConvo)
? 'Community'
: 'LegacyGroup';
const roomDetails = OpenGroupData.getV2OpenGroupRoomByRoomId(asOpengroup);
if (!roomDetails) {
return;
}
switch (convoType) {
case 'Community':
const asOpengroup = foundConvo.toOpenGroupV2();
const roomDetails = OpenGroupData.getV2OpenGroupRoomByRoomId(asOpengroup);
if (!roomDetails) {
return;
}
// we need to build the full URL with the pubkey so we can add it to the wrapper. Let's reuse the exposed method from the wrapper for that
const fullUrl = await UserGroupsWrapperActions.buildFullUrlFromDetails(
roomDetails.serverUrl,
roomDetails.roomId,
roomDetails.serverPublicKey
);
const wrapperComm = getCommunityInfoFromDBValues({
isPinned: !!foundConvo.get('isPinned'),
fullUrl,
});
try {
console.info(`inserting into usergroup wrapper "${wrapperComm.fullUrl}"...`);
// this does the create or the update of the matching existing community
await UserGroupsWrapperActions.setCommunityByFullUrl(
wrapperComm.fullUrl,
wrapperComm.priority
// we need to build the full URL with the pubkey so we can add it to the wrapper. Let's reuse the exposed method from the wrapper for that
const fullUrl = await UserGroupsWrapperActions.buildFullUrlFromDetails(
roomDetails.serverUrl,
roomDetails.roomId,
roomDetails.serverPublicKey
);
await refreshMappedValue(convoId);
} catch (e) {
window.log.warn(`UserGroupsWrapperActions.set of ${convoId} failed with ${e.message}`);
// we still let this go through
}
} else if (isLegacyGroupToStoreInWrapper(foundConvo)) {
const encryptionKeyPair = await Data.getLatestClosedGroupEncryptionKeyPair(convoId);
const wrapperLegacyGroup = getLegacyGroupInfoFromDBValues({
id: foundConvo.id,
isPinned: !!foundConvo.get('isPinned'),
members: foundConvo.get('members') || [],
groupAdmins: foundConvo.get('groupAdmins') || [],
expireTimer: foundConvo.get('expireTimer'),
displayNameInProfile: foundConvo.get('displayNameInProfile'),
hidden: false,
encPubkeyHex: encryptionKeyPair?.publicHex || '',
encSeckeyHex: encryptionKeyPair?.privateHex || '',
});
if (wrapperLegacyGroup.members.length === 0) {
debugger;
}
try {
console.info(`inserting into usergroup wrapper "${foundConvo.id}"...`);
// this does the create or the update of the matching existing legacy group
const wrapperComm = getCommunityInfoFromDBValues({
isPinned: !!foundConvo.get('isPinned'),
fullUrl,
});
try {
console.info(`inserting into usergroup wrapper "${wrapperComm.fullUrl}"...`);
// this does the create or the update of the matching existing community
await UserGroupsWrapperActions.setCommunityByFullUrl(
wrapperComm.fullUrl,
wrapperComm.priority
);
await refreshMappedValue(convoId);
} catch (e) {
window.log.warn(`UserGroupsWrapperActions.set of ${convoId} failed with ${e.message}`);
// we still let this go through
}
break;
case 'LegacyGroup':
const encryptionKeyPair = await Data.getLatestClosedGroupEncryptionKeyPair(convoId);
const wrapperLegacyGroup = getLegacyGroupInfoFromDBValues({
id: foundConvo.id,
isPinned: !!foundConvo.get('isPinned'),
members: foundConvo.get('members') || [],
groupAdmins: foundConvo.get('groupAdmins') || [],
expireTimer: foundConvo.get('expireTimer'),
displayNameInProfile: foundConvo.get('displayNameInProfile'),
hidden: false, // TODO we do not handle hidden yet for groups
encPubkeyHex: encryptionKeyPair?.publicHex || '',
encSeckeyHex: encryptionKeyPair?.privateHex || '',
});
try {
console.info(`inserting into usergroup wrapper "${foundConvo.id}"...`);
// this does the create or the update of the matching existing legacy group
await UserGroupsWrapperActions.setLegacyGroup(wrapperLegacyGroup);
await refreshMappedValue(convoId);
} catch (e) {
window.log.warn(`UserGroupsWrapperActions.set of ${convoId} failed with ${e.message}`);
// we still let this go through
}
break;
await UserGroupsWrapperActions.setLegacyGroup(wrapperLegacyGroup);
await refreshMappedValue(convoId);
} catch (e) {
window.log.warn(`UserGroupsWrapperActions.set of ${convoId} failed with ${e.message}`);
// we still let this go through
}
default:
assertUnreachable(
convoType,
`insertGroupsFromDBIntoWrapperAndRefresh case not handeld "${convoType}"`
);
}
}
/**
* refreshMappedValue is used to query the UserGroups Wrapper for the details of that group and update the cached in-memory entry representing its content.
* @param id the pubkey to re fresh the cached value from1
* @param duringAppStart set this to true if we should just fetch the cached value but not trigger a UI refresh of the corresponding conversation
*/
async function refreshMappedValue(convoId: string, duringAppStart = false) {

@ -1,24 +1,23 @@
// tslint:disable: no-implicit-dependencies max-func-body-length no-unused-expression
import chai from 'chai';
import Sinon, * as sinon from 'sinon';
import { describe } from 'mocha';
import Sinon, * as sinon from 'sinon';
import chaiAsPromised from 'chai-as-promised';
import { TestUtils } from '../../../test-utils';
import { UserUtils } from '../../../../session/utils';
import { getConversationController } from '../../../../session/conversations';
import { ConversationCollection, ConversationModel } from '../../../../models/conversation';
import { ConversationTypeEnum } from '../../../../models/conversationAttributes';
import { getSwarmPollingInstance, SnodePool } from '../../../../session/apis/snode_api';
import { resetHardForkCachedValues } from '../../../../session/apis/snode_api/hfHandling';
import { SnodeAPIRetrieve } from '../../../../session/apis/snode_api/retrieveRequest';
import { SwarmPolling } from '../../../../session/apis/snode_api/swarmPolling';
import { SWARM_POLLING_TIMEOUT } from '../../../../session/constants';
import { ConversationCollection, ConversationModel } from '../../../../models/conversation';
import { getConversationController } from '../../../../session/conversations';
import { PubKey } from '../../../../session/types';
import { generateFakeSnodes, stubData } from '../../../test-utils/utils';
import { ConversationTypeEnum } from '../../../../models/conversationAttributes';
import { resetHardForkCachedValues } from '../../../../session/apis/snode_api/hfHandling';
import { UserUtils } from '../../../../session/utils';
import { sleepFor } from '../../../../session/utils/Promise';
import { SnodeAPIRetrieve } from '../../../../session/apis/snode_api/retrieveRequest';
import { SnodeNamespace } from '../../../../session/apis/snode_api/namespaces';
import { TestUtils } from '../../../test-utils';
import { generateFakeSnodes, stubData } from '../../../test-utils/utils';
// tslint:disable: chai-vague-errors
chai.use(chaiAsPromised as any);
@ -678,22 +677,4 @@ describe('SwarmPolling', () => {
});
});
});
describe('isNamespaceAlwaysPolled', () => {
it('cares only for non config hashes', () => {
for (let namespace = -20; namespace < 20; namespace++) {
if (namespace === 2 || namespace === 3 || namespace === 5 || namespace === 1) {
expect(SnodeNamespace.isNamespaceAlwaysPolled(namespace)).to.be.eq(
false,
`should be false for any non "message" namespace ${namespace}`
);
} else {
expect(SnodeNamespace.isNamespaceAlwaysPolled(namespace)).to.be.eq(
true,
`should be true for the "message" namespaces ${namespace}`
);
}
}
});
});
});

@ -3,16 +3,20 @@ import {
ContactsConfigActionsType,
UserConfigActionsType,
UserGroupsConfigActionsType,
ConvoInfoVolatileConfigActionsType,
} from 'session_util_wrapper';
type UserConfig = 'UserConfig'; // we can only have one of those wrapper for our current user (but we can have a few configs for it to be merged into one)
// we can only have one of those wrapper for our current user (but we can have a few configs for it to be merged into one)
type UserConfig = 'UserConfig';
type ContactsConfig = 'ContactsConfig';
type UserGroupsConfig = 'UserGroupsConfig';
type ConvoInfoVolatileConfig = 'ConvoInfoVolatileConfig';
// type ClosedGroupConfigPrefix = 'ClosedGroupConfig-03'; // we can have a bunch of those wrapper as we need to be able to send them to a different swarm for each group
// type ClosedGroupConfig = `${ClosedGroupConfigPrefix}${string}`;
// | ClosedGroupConfig;
export type ConfigWrapperObjectTypes = UserConfig | ContactsConfig | UserGroupsConfig;
export type ConfigWrapperObjectTypes =
| UserConfig
| ContactsConfig
| UserGroupsConfig
| ConvoInfoVolatileConfig;
type UserConfigFunctions =
| [UserConfig, ...BaseConfigActions]
@ -20,12 +24,15 @@ type UserConfigFunctions =
type ContactsConfigFunctions =
| [ContactsConfig, ...BaseConfigActions]
| [ContactsConfig, ...ContactsConfigActionsType];
type UserGroupsConfigFunctions =
| [UserGroupsConfig, ...BaseConfigActions]
| [UserGroupsConfig, ...UserGroupsConfigActionsType];
type ConvoInfoVolatileConfigFunctions =
| [ConvoInfoVolatileConfig, ...BaseConfigActions]
| [ConvoInfoVolatileConfig, ...ConvoInfoVolatileConfigActionsType];
export type LibSessionWorkerFunctions =
| UserConfigFunctions
| ContactsConfigFunctions
| UserGroupsConfigFunctions;
| UserGroupsConfigFunctions
| ConvoInfoVolatileConfigFunctions;

@ -7,6 +7,7 @@ import {
BaseWrapperActionsCalls,
ContactInfo,
ContactsWrapperActionsCalls,
ConvoInfoVolatileWrapperActionsCalls,
LegacyGroupInfo,
UserConfigWrapperActionsCalls,
UserGroupsWrapperActionsCalls,
@ -244,6 +245,82 @@ export const UserGroupsWrapperActions: UserGroupsWrapperActionsCalls = {
>,
};
export const ConvoInfoVolatileWrapperActions: ConvoInfoVolatileWrapperActionsCalls = {
/* Reuse the GenericWrapperActions with the ContactConfig argument */
init: async (ed25519Key: Uint8Array, dump: Uint8Array | null) =>
GenericWrapperActions.init('ConvoInfoVolatileConfig', ed25519Key, dump),
confirmPushed: async (seqno: number, hash: string) =>
GenericWrapperActions.confirmPushed('ConvoInfoVolatileConfig', seqno, hash),
dump: async () => GenericWrapperActions.dump('ConvoInfoVolatileConfig'),
merge: async (toMerge: Array<{ hash: string; data: Uint8Array }>) =>
GenericWrapperActions.merge('ConvoInfoVolatileConfig', toMerge),
needsDump: async () => GenericWrapperActions.needsDump('ConvoInfoVolatileConfig'),
needsPush: async () => GenericWrapperActions.needsPush('ConvoInfoVolatileConfig'),
push: async () => GenericWrapperActions.push('ConvoInfoVolatileConfig'),
storageNamespace: async () => GenericWrapperActions.storageNamespace('ConvoInfoVolatileConfig'),
/** ConvoInfoVolatile wrapper specific actions */
// 1o1
get1o1: async (pubkeyHex: string) =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'get1o1', pubkeyHex]) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['get1o1']>
>,
getAll1o1: async () =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'getAll1o1']) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['getAll1o1']>
>,
set1o1: async (pubkeyHex: string, lastRead: number, unread: boolean) =>
callLibSessionWorker([
'ConvoInfoVolatileConfig',
'set1o1',
pubkeyHex,
lastRead,
unread,
]) as Promise<ReturnType<ConvoInfoVolatileWrapperActionsCalls['set1o1']>>,
// legacy groups
getLegacyGroup: async (pubkeyHex: string) =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'getLegacyGroup', pubkeyHex]) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['getLegacyGroup']>
>,
getAllLegacyGroups: async () =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'getAllLegacyGroups']) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['getAllLegacyGroups']>
>,
setLegacyGroup: async (pubkeyHex: string, lastRead: number, unread: boolean) =>
callLibSessionWorker([
'ConvoInfoVolatileConfig',
'setLegacyGroup',
pubkeyHex,
lastRead,
unread,
]) as Promise<ReturnType<ConvoInfoVolatileWrapperActionsCalls['setLegacyGroup']>>,
// communities
getCommunity: async (communityFullUrl: string) =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'getCommunity', communityFullUrl]) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['getCommunity']>
>,
getAllCommunities: async () =>
callLibSessionWorker(['ConvoInfoVolatileConfig', 'getAllCommunities']) as Promise<
ReturnType<ConvoInfoVolatileWrapperActionsCalls['getAllCommunities']>
>,
setCommunityByFullUrl: async (fullUrlWithPubkey: string, lastRead: number, unread: boolean) =>
callLibSessionWorker([
'ConvoInfoVolatileConfig',
'setCommunityByFullUrl',
fullUrlWithPubkey,
lastRead,
unread,
]) as Promise<ReturnType<ConvoInfoVolatileWrapperActionsCalls['setCommunityByFullUrl']>>,
};
const callLibSessionWorker = async (callToMake: LibSessionWorkerFunctions): Promise<unknown> => {
return internalCallLibSessionWorker(callToMake);
};

@ -3,11 +3,22 @@ import {
BaseConfigWrapper,
BaseConfigWrapperInsideWorker,
ContactsConfigWrapperInsideWorker,
ConvoInfoVolatileWrapperInsideWorker,
UserConfigWrapperInsideWorker,
UserGroupsWrapperInsideWorker,
} from 'session_util_wrapper';
import { ConfigWrapperObjectTypes } from '../../browser/libsession_worker_functions';
/**
*
* @param _x Looks like we need to duplicate this function here as we cannot import the existing one from a webworker context
* @param message
*/
function assertUnreachable(_x: never, message: string): never {
console.info(`assertUnreachable: Didn't expect to get here with "${message}"`);
throw new Error("Didn't expect to get here");
}
/* eslint-disable no-console */
/* eslint-disable strict */
@ -15,10 +26,9 @@ import { ConfigWrapperObjectTypes } from '../../browser/libsession_worker_functi
let userProfileWrapper: UserConfigWrapperInsideWorker | undefined;
let contactsConfigWrapper: ContactsConfigWrapperInsideWorker | undefined;
let userGroupsConfigWrapper: UserGroupsWrapperInsideWorker | undefined;
let convoInfoVolatileConfigWrapper: ConvoInfoVolatileWrapperInsideWorker | undefined;
type UserWrapperType = 'UserConfig' | 'ContactsConfig' | 'UserGroupsConfig';
function getUserWrapper(type: UserWrapperType): BaseConfigWrapperInsideWorker | undefined {
function getUserWrapper(type: ConfigWrapperObjectTypes): BaseConfigWrapperInsideWorker | undefined {
switch (type) {
case 'UserConfig':
return userProfileWrapper;
@ -26,6 +36,10 @@ function getUserWrapper(type: UserWrapperType): BaseConfigWrapperInsideWorker |
return contactsConfigWrapper;
case 'UserGroupsConfig':
return userGroupsConfigWrapper;
case 'ConvoInfoVolatileConfig':
return convoInfoVolatileConfigWrapper;
default:
assertUnreachable(type, `getUserWrapper: Missing case error "${type}"`);
}
}
@ -36,11 +50,17 @@ function getCorrespondingWrapper(
case 'UserConfig':
case 'ContactsConfig':
case 'UserGroupsConfig':
case 'ConvoInfoVolatileConfig':
const wrapper = getUserWrapper(wrapperType);
if (!wrapper) {
throw new Error(`${wrapperType} is not init yet`);
}
return wrapper;
default:
assertUnreachable(
wrapperType,
`getCorrespondingWrapper: Missing case error "${wrapperType}"`
);
}
}
@ -48,11 +68,12 @@ function isUInt8Array(value: any) {
return value.constructor === Uint8Array;
}
function assertUserWrapperType(wrapperType: ConfigWrapperObjectTypes): UserWrapperType {
function assertUserWrapperType(wrapperType: ConfigWrapperObjectTypes): ConfigWrapperObjectTypes {
if (
wrapperType !== 'ContactsConfig' &&
wrapperType !== 'UserConfig' &&
wrapperType !== 'UserGroupsConfig'
wrapperType !== 'UserGroupsConfig' &&
wrapperType !== 'ConvoInfoVolatileConfig'
) {
throw new Error(`wrapperType "${wrapperType} is not of type User"`);
}
@ -62,7 +83,12 @@ function assertUserWrapperType(wrapperType: ConfigWrapperObjectTypes): UserWrapp
/**
* This function can be used to initialize a wrapper which takes the private ed25519 key of the user and a dump as argument.
*/
function initUserWrapper(options: Array<any>, wrapperType: UserWrapperType): BaseConfigWrapper {
function initUserWrapper(
options: Array<any>,
wrapperType: ConfigWrapperObjectTypes
): BaseConfigWrapper {
const userType = assertUserWrapperType(wrapperType);
const wrapper = getUserWrapper(wrapperType);
console.warn('initUserWrapper: ', wrapperType, options);
if (wrapper) {
@ -80,7 +106,6 @@ function initUserWrapper(options: Array<any>, wrapperType: UserWrapperType): Bas
if (!isNull(dump) && !isUInt8Array(dump)) {
throw new Error(`${wrapperType} init needs a valid dump`);
}
const userType = assertUserWrapperType(wrapperType);
switch (userType) {
case 'UserConfig':
userProfileWrapper = new UserConfigWrapperInsideWorker(edSecretKey, dump);
@ -91,6 +116,11 @@ function initUserWrapper(options: Array<any>, wrapperType: UserWrapperType): Bas
case 'UserGroupsConfig':
userGroupsConfigWrapper = new UserGroupsWrapperInsideWorker(edSecretKey, dump);
return userGroupsConfigWrapper;
case 'ConvoInfoVolatileConfig':
convoInfoVolatileConfigWrapper = new ConvoInfoVolatileWrapperInsideWorker(edSecretKey, dump);
return convoInfoVolatileConfigWrapper;
default:
assertUnreachable(userType, `initUserWrapper: Missing case error "${userType}"`);
}
}

Loading…
Cancel
Save