Converse converse.js

Source: headless/plugins/roster/contacts.js

  1. import RosterContact from './contact.js';
  2. import log from "@converse/headless/log";
  3. import { Collection } from "@converse/skeletor/src/collection";
  4. import { Model } from "@converse/skeletor/src/model";
  5. import { _converse, api, converse } from "@converse/headless/core";
  6. import { initStorage } from '@converse/headless/utils/storage.js';
  7. import { rejectPresenceSubscription } from './utils.js';
  8. const { Strophe, $iq, sizzle, u } = converse.env;
  9. const RosterContacts = Collection.extend({
  10. model: RosterContact,
  11. initialize () {
  12. const id = `roster.state-${_converse.bare_jid}-${this.get('jid')}`;
  13. this.state = new Model({ id, 'collapsed_groups': [] });
  14. initStorage(this.state, id);
  15. this.state.fetch();
  16. },
  17. onConnected () {
  18. // Called as soon as the connection has been established
  19. // (either after initial login, or after reconnection).
  20. // Use the opportunity to register stanza handlers.
  21. this.registerRosterHandler();
  22. this.registerRosterXHandler();
  23. },
  24. registerRosterHandler () {
  25. // Register a handler for roster IQ "set" stanzas, which update
  26. // roster contacts.
  27. _converse.connection.addHandler(iq => {
  28. _converse.roster.onRosterPush(iq);
  29. return true;
  30. }, Strophe.NS.ROSTER, 'iq', "set");
  31. },
  32. registerRosterXHandler () {
  33. // Register a handler for RosterX message stanzas, which are
  34. // used to suggest roster contacts to a user.
  35. let t = 0;
  36. _converse.connection.addHandler(
  37. function (msg) {
  38. window.setTimeout(
  39. function () {
  40. _converse.connection.flush();
  41. _converse.roster.subscribeToSuggestedItems.bind(_converse.roster)(msg);
  42. }, t);
  43. t += msg.querySelectorAll('item').length*250;
  44. return true;
  45. },
  46. Strophe.NS.ROSTERX, 'message', null
  47. );
  48. },
  49. /**
  50. * Fetches the roster contacts, first by trying the browser cache,
  51. * and if that's empty, then by querying the XMPP server.
  52. * @returns {promise} Promise which resolves once the contacts have been fetched.
  53. */
  54. async fetchRosterContacts () {
  55. const result = await new Promise((resolve, reject) => {
  56. this.fetch({
  57. 'add': true,
  58. 'silent': true,
  59. 'success': resolve,
  60. 'error': (_, e) => reject(e)
  61. });
  62. });
  63. if (u.isErrorObject(result)) {
  64. log.error(result);
  65. // Force a full roster refresh
  66. _converse.session.save('roster_cached', false)
  67. this.data.save('version', undefined);
  68. }
  69. if (_converse.session.get('roster_cached')) {
  70. /**
  71. * The contacts roster has been retrieved from the local cache (`sessionStorage`).
  72. * @event _converse#cachedRoster
  73. * @type { _converse.RosterContacts }
  74. * @example _converse.api.listen.on('cachedRoster', (items) => { ... });
  75. * @example _converse.api.waitUntil('cachedRoster').then(items => { ... });
  76. */
  77. api.trigger('cachedRoster', result);
  78. } else {
  79. _converse.send_initial_presence = true;
  80. return _converse.roster.fetchFromServer();
  81. }
  82. },
  83. subscribeToSuggestedItems (msg) {
  84. Array.from(msg.querySelectorAll('item')).forEach(item => {
  85. if (item.getAttribute('action') === 'add') {
  86. _converse.roster.addAndSubscribe(
  87. item.getAttribute('jid'),
  88. _converse.xmppstatus.getNickname() || _converse.xmppstatus.getFullname()
  89. );
  90. }
  91. });
  92. return true;
  93. },
  94. isSelf (jid) {
  95. return u.isSameBareJID(jid, _converse.connection.jid);
  96. },
  97. /**
  98. * Add a roster contact and then once we have confirmation from
  99. * the XMPP server we subscribe to that contact's presence updates.
  100. * @method _converse.RosterContacts#addAndSubscribe
  101. * @param { String } jid - The Jabber ID of the user being added and subscribed to.
  102. * @param { String } name - The name of that user
  103. * @param { Array<String> } groups - Any roster groups the user might belong to
  104. * @param { String } message - An optional message to explain the reason for the subscription request.
  105. * @param { Object } attributes - Any additional attributes to be stored on the user's model.
  106. */
  107. async addAndSubscribe (jid, name, groups, message, attributes) {
  108. const contact = await this.addContactToRoster(jid, name, groups, attributes);
  109. if (contact instanceof _converse.RosterContact) {
  110. contact.subscribe(message);
  111. }
  112. },
  113. /**
  114. * Send an IQ stanza to the XMPP server to add a new roster contact.
  115. * @method _converse.RosterContacts#sendContactAddIQ
  116. * @param { String } jid - The Jabber ID of the user being added
  117. * @param { String } name - The name of that user
  118. * @param { Array<String> } groups - Any roster groups the user might belong to
  119. */
  120. sendContactAddIQ (jid, name, groups) {
  121. name = name ? name : null;
  122. const iq = $iq({'type': 'set'})
  123. .c('query', {'xmlns': Strophe.NS.ROSTER})
  124. .c('item', { jid, name });
  125. groups.forEach(g => iq.c('group').t(g).up());
  126. return api.sendIQ(iq);
  127. },
  128. /**
  129. * Adds a RosterContact instance to _converse.roster and
  130. * registers the contact on the XMPP server.
  131. * Returns a promise which is resolved once the XMPP server has responded.
  132. * @method _converse.RosterContacts#addContactToRoster
  133. * @param { String } jid - The Jabber ID of the user being added and subscribed to.
  134. * @param { String } name - The name of that user
  135. * @param { Array<String> } groups - Any roster groups the user might belong to
  136. * @param { Object } attributes - Any additional attributes to be stored on the user's model.
  137. */
  138. async addContactToRoster (jid, name, groups, attributes) {
  139. await api.waitUntil('rosterContactsFetched');
  140. groups = groups || [];
  141. try {
  142. await this.sendContactAddIQ(jid, name, groups);
  143. } catch (e) {
  144. const { __ } = _converse;
  145. log.error(e);
  146. alert(__('Sorry, there was an error while trying to add %1$s as a contact.', name || jid));
  147. return e;
  148. }
  149. return this.create(Object.assign({
  150. 'ask': undefined,
  151. 'nickname': name,
  152. groups,
  153. jid,
  154. 'requesting': false,
  155. 'subscription': 'none'
  156. }, attributes), {'sort': false});
  157. },
  158. async subscribeBack (bare_jid, presence) {
  159. const contact = this.get(bare_jid);
  160. if (contact instanceof _converse.RosterContact) {
  161. contact.authorize().subscribe();
  162. } else {
  163. // Can happen when a subscription is retried or roster was deleted
  164. const nickname = sizzle(`nick[xmlns="${Strophe.NS.NICK}"]`, presence).pop()?.textContent || null;
  165. const contact = await this.addContactToRoster(bare_jid, nickname, [], {'subscription': 'from'});
  166. if (contact instanceof _converse.RosterContact) {
  167. contact.authorize().subscribe();
  168. }
  169. }
  170. },
  171. /**
  172. * Handle roster updates from the XMPP server.
  173. * See: https://xmpp.org/rfcs/rfc6121.html#roster-syntax-actions-push
  174. * @method _converse.RosterContacts#onRosterPush
  175. * @param { Element } iq - The IQ stanza received from the XMPP server.
  176. */
  177. onRosterPush (iq) {
  178. const id = iq.getAttribute('id');
  179. const from = iq.getAttribute('from');
  180. if (from && from !== _converse.bare_jid) {
  181. // https://tools.ietf.org/html/rfc6121#page-15
  182. //
  183. // A receiving client MUST ignore the stanza unless it has no 'from'
  184. // attribute (i.e., implicitly from the bare JID of the user's
  185. // account) or it has a 'from' attribute whose value matches the
  186. // user's bare JID <user@domainpart>.
  187. log.warn(
  188. `Ignoring roster illegitimate roster push message from ${iq.getAttribute('from')}`
  189. );
  190. return;
  191. }
  192. api.send($iq({type: 'result', id, from: _converse.connection.jid}));
  193. const query = sizzle(`query[xmlns="${Strophe.NS.ROSTER}"]`, iq).pop();
  194. this.data.save('version', query.getAttribute('ver'));
  195. const items = sizzle(`item`, query);
  196. if (items.length > 1) {
  197. log.error(iq);
  198. throw new Error('Roster push query may not contain more than one "item" element.');
  199. }
  200. if (items.length === 0) {
  201. log.warn(iq);
  202. log.warn('Received a roster push stanza without an "item" element.');
  203. return;
  204. }
  205. this.updateContact(items.pop());
  206. /**
  207. * When the roster receives a push event from server (i.e. new entry in your contacts roster).
  208. * @event _converse#rosterPush
  209. * @type { Element }
  210. * @example _converse.api.listen.on('rosterPush', iq => { ... });
  211. */
  212. api.trigger('rosterPush', iq);
  213. return;
  214. },
  215. rosterVersioningSupported () {
  216. return api.disco.stream.getFeature('ver', 'urn:xmpp:features:rosterver') && this.data.get('version');
  217. },
  218. /**
  219. * Fetch the roster from the XMPP server
  220. * @emits _converse#roster
  221. * @returns {promise}
  222. */
  223. async fetchFromServer () {
  224. const stanza = $iq({
  225. 'type': 'get',
  226. 'id': u.getUniqueId('roster')
  227. }).c('query', {xmlns: Strophe.NS.ROSTER});
  228. if (this.rosterVersioningSupported()) {
  229. stanza.attrs({'ver': this.data.get('version')});
  230. }
  231. const iq = await api.sendIQ(stanza, null, false);
  232. if (iq.getAttribute('type') === 'result') {
  233. const query = sizzle(`query[xmlns="${Strophe.NS.ROSTER}"]`, iq).pop();
  234. if (query) {
  235. const items = sizzle(`item`, query);
  236. if (!this.data.get('version') && this.models.length) {
  237. // We're getting the full roster, so remove all cached
  238. // contacts that aren't included in it.
  239. const jids = items.map(item => item.getAttribute('jid'));
  240. this.forEach(m => !m.get('requesting') && !jids.includes(m.get('jid')) && m.destroy());
  241. }
  242. items.forEach(item => this.updateContact(item));
  243. this.data.save('version', query.getAttribute('ver'));
  244. }
  245. } else if (!u.isServiceUnavailableError(iq)) {
  246. // Some unknown error happened, so we will try to fetch again if the page reloads.
  247. log.error(iq);
  248. log.error("Error while trying to fetch roster from the server");
  249. return;
  250. }
  251. _converse.session.save('roster_cached', true);
  252. /**
  253. * When the roster has been received from the XMPP server.
  254. * See also the `cachedRoster` event further up, which gets called instead of
  255. * `roster` if its already in `sessionStorage`.
  256. * @event _converse#roster
  257. * @type { Element }
  258. * @example _converse.api.listen.on('roster', iq => { ... });
  259. * @example _converse.api.waitUntil('roster').then(iq => { ... });
  260. */
  261. api.trigger('roster', iq);
  262. },
  263. /**
  264. * Update or create RosterContact models based on the given `item` XML
  265. * node received in the resulting IQ stanza from the server.
  266. * @param { Element } item
  267. */
  268. updateContact (item) {
  269. const jid = item.getAttribute('jid');
  270. const contact = this.get(jid);
  271. const subscription = item.getAttribute("subscription");
  272. if (subscription === "remove") {
  273. return contact?.destroy();
  274. }
  275. const ask = item.getAttribute("ask");
  276. const nickname = item.getAttribute('name');
  277. const groups = [...new Set(sizzle('group', item).map(e => e.textContent))];
  278. if (contact) {
  279. // We only find out about requesting contacts via the
  280. // presence handler, so if we receive a contact
  281. // here, we know they aren't requesting anymore.
  282. contact.save({ subscription, ask, nickname, groups, 'requesting': null });
  283. } else {
  284. this.create({ nickname, ask, groups, jid, subscription }, {sort: false});
  285. }
  286. },
  287. createRequestingContact (presence) {
  288. const bare_jid = Strophe.getBareJidFromJid(presence.getAttribute('from'));
  289. const nickname = sizzle(`nick[xmlns="${Strophe.NS.NICK}"]`, presence).pop()?.textContent || null;
  290. const user_data = {
  291. 'jid': bare_jid,
  292. 'subscription': 'none',
  293. 'ask': null,
  294. 'requesting': true,
  295. 'nickname': nickname
  296. };
  297. /**
  298. * Triggered when someone has requested to subscribe to your presence (i.e. to be your contact).
  299. * @event _converse#contactRequest
  300. * @type { _converse.RosterContact }
  301. * @example _converse.api.listen.on('contactRequest', contact => { ... });
  302. */
  303. api.trigger('contactRequest', this.create(user_data));
  304. },
  305. handleIncomingSubscription (presence) {
  306. const jid = presence.getAttribute('from'),
  307. bare_jid = Strophe.getBareJidFromJid(jid),
  308. contact = this.get(bare_jid);
  309. if (!api.settings.get('allow_contact_requests')) {
  310. const { __ } = _converse;
  311. rejectPresenceSubscription(
  312. jid,
  313. __("This client does not allow presence subscriptions")
  314. );
  315. }
  316. if (api.settings.get('auto_subscribe')) {
  317. if ((!contact) || (contact.get('subscription') !== 'to')) {
  318. this.subscribeBack(bare_jid, presence);
  319. } else {
  320. contact.authorize();
  321. }
  322. } else {
  323. if (contact) {
  324. if (contact.get('subscription') !== 'none') {
  325. contact.authorize();
  326. } else if (contact.get('ask') === "subscribe") {
  327. contact.authorize();
  328. }
  329. } else {
  330. this.createRequestingContact(presence);
  331. }
  332. }
  333. },
  334. handleOwnPresence (presence) {
  335. const jid = presence.getAttribute('from'),
  336. resource = Strophe.getResourceFromJid(jid),
  337. presence_type = presence.getAttribute('type');
  338. if ((_converse.connection.jid !== jid) &&
  339. (presence_type !== 'unavailable') &&
  340. (api.settings.get('synchronize_availability') === true ||
  341. api.settings.get('synchronize_availability') === resource)) {
  342. // Another resource has changed its status and
  343. // synchronize_availability option set to update,
  344. // we'll update ours as well.
  345. const show = presence.querySelector('show')?.textContent || 'online';
  346. _converse.xmppstatus.save({'status': show}, {'silent': true});
  347. const status_message = presence.querySelector('status')?.textContent;
  348. if (status_message) _converse.xmppstatus.save({ status_message });
  349. }
  350. if (_converse.jid === jid && presence_type === 'unavailable') {
  351. // XXX: We've received an "unavailable" presence from our
  352. // own resource. Apparently this happens due to a
  353. // Prosody bug, whereby we send an IQ stanza to remove
  354. // a roster contact, and Prosody then sends
  355. // "unavailable" globally, instead of directed to the
  356. // particular user that's removed.
  357. //
  358. // Here is the bug report: https://prosody.im/issues/1121
  359. //
  360. // I'm not sure whether this might legitimately happen
  361. // in other cases.
  362. //
  363. // As a workaround for now we simply send our presence again,
  364. // otherwise we're treated as offline.
  365. api.user.presence.send();
  366. }
  367. },
  368. presenceHandler (presence) {
  369. const presence_type = presence.getAttribute('type');
  370. if (presence_type === 'error') return true;
  371. const jid = presence.getAttribute('from');
  372. const bare_jid = Strophe.getBareJidFromJid(jid);
  373. if (this.isSelf(bare_jid)) {
  374. return this.handleOwnPresence(presence);
  375. } else if (sizzle(`query[xmlns="${Strophe.NS.MUC}"]`, presence).length) {
  376. return; // Ignore MUC
  377. }
  378. const contact = this.get(bare_jid);
  379. if (contact) {
  380. const status = presence.querySelector('status')?.textContent;
  381. if (contact.get('status') !== status) contact.save({status});
  382. }
  383. if (presence_type === 'subscribed' && contact) {
  384. contact.ackSubscribe();
  385. } else if (presence_type === 'unsubscribed' && contact) {
  386. contact.ackUnsubscribe();
  387. } else if (presence_type === 'unsubscribe') {
  388. return;
  389. } else if (presence_type === 'subscribe') {
  390. this.handleIncomingSubscription(presence);
  391. } else if (presence_type === 'unavailable' && contact) {
  392. const resource = Strophe.getResourceFromJid(jid);
  393. contact.presence.removeResource(resource);
  394. } else if (contact) {
  395. // presence_type is undefined
  396. contact.presence.addResource(presence);
  397. }
  398. }
  399. });
  400. export default RosterContacts;