Converse converse.js

Source: headless/shared/parsers.js

  1. import URI from 'urijs';
  2. import dayjs from 'dayjs';
  3. import log from '@converse/headless/log';
  4. import sizzle from 'sizzle';
  5. import { Strophe } from 'strophe.js';
  6. import { URL_PARSE_OPTIONS } from '@converse/headless/shared/constants.js';
  7. import { _converse, api } from '@converse/headless/core';
  8. import { decodeHTMLEntities } from '@converse/headless/utils/core.js';
  9. import { rejectMessage } from '@converse/headless/shared/actions';
  10. import {
  11. isAudioURL,
  12. isEncryptedFileURL,
  13. isImageURL,
  14. isVideoURL
  15. } from '@converse/headless/utils/url.js';
  16. const { NS } = Strophe;
  17. export class StanzaParseError extends Error {
  18. constructor (message, stanza) {
  19. super(message, stanza);
  20. this.name = 'StanzaParseError';
  21. this.stanza = stanza;
  22. }
  23. }
  24. /**
  25. * Extract the XEP-0359 stanza IDs from the passed in stanza
  26. * and return a map containing them.
  27. * @private
  28. * @param { Element } stanza - The message stanza
  29. * @returns { Object }
  30. */
  31. export function getStanzaIDs (stanza, original_stanza) {
  32. const attrs = {};
  33. // Store generic stanza ids
  34. const sids = sizzle(`stanza-id[xmlns="${Strophe.NS.SID}"]`, stanza);
  35. const sid_attrs = sids.reduce((acc, s) => {
  36. acc[`stanza_id ${s.getAttribute('by')}`] = s.getAttribute('id');
  37. return acc;
  38. }, {});
  39. Object.assign(attrs, sid_attrs);
  40. // Store the archive id
  41. const result = sizzle(`message > result[xmlns="${Strophe.NS.MAM}"]`, original_stanza).pop();
  42. if (result) {
  43. const by_jid = original_stanza.getAttribute('from') || _converse.bare_jid;
  44. attrs[`stanza_id ${by_jid}`] = result.getAttribute('id');
  45. }
  46. // Store the origin id
  47. const origin_id = sizzle(`origin-id[xmlns="${Strophe.NS.SID}"]`, stanza).pop();
  48. if (origin_id) {
  49. attrs['origin_id'] = origin_id.getAttribute('id');
  50. }
  51. return attrs;
  52. }
  53. export function getEncryptionAttributes (stanza) {
  54. const eme_tag = sizzle(`encryption[xmlns="${Strophe.NS.EME}"]`, stanza).pop();
  55. const namespace = eme_tag?.getAttribute('namespace');
  56. const attrs = {};
  57. if (namespace) {
  58. attrs.is_encrypted = true;
  59. attrs.encryption_namespace = namespace;
  60. } else if (sizzle(`encrypted[xmlns="${Strophe.NS.OMEMO}"]`, stanza).pop()) {
  61. attrs.is_encrypted = true;
  62. attrs.encryption_namespace = Strophe.NS.OMEMO;
  63. }
  64. return attrs;
  65. }
  66. /**
  67. * @private
  68. * @param { Element } stanza - The message stanza
  69. * @param { Element } original_stanza - The original stanza, that contains the
  70. * message stanza, if it was contained, otherwise it's the message stanza itself.
  71. * @returns { Object }
  72. */
  73. export function getRetractionAttributes (stanza, original_stanza) {
  74. const fastening = sizzle(`> apply-to[xmlns="${Strophe.NS.FASTEN}"]`, stanza).pop();
  75. if (fastening) {
  76. const applies_to_id = fastening.getAttribute('id');
  77. const retracted = sizzle(`> retract[xmlns="${Strophe.NS.RETRACT}"]`, fastening).pop();
  78. if (retracted) {
  79. const delay = sizzle(`delay[xmlns="${Strophe.NS.DELAY}"]`, original_stanza).pop();
  80. const time = delay ? dayjs(delay.getAttribute('stamp')).toISOString() : new Date().toISOString();
  81. return {
  82. 'editable': false,
  83. 'retracted': time,
  84. 'retracted_id': applies_to_id
  85. };
  86. }
  87. } else {
  88. const tombstone = sizzle(`> retracted[xmlns="${Strophe.NS.RETRACT}"]`, stanza).pop();
  89. if (tombstone) {
  90. return {
  91. 'editable': false,
  92. 'is_tombstone': true,
  93. 'retracted': tombstone.getAttribute('stamp')
  94. };
  95. }
  96. }
  97. return {};
  98. }
  99. export function getCorrectionAttributes (stanza, original_stanza) {
  100. const el = sizzle(`replace[xmlns="${Strophe.NS.MESSAGE_CORRECT}"]`, stanza).pop();
  101. if (el) {
  102. const replace_id = el.getAttribute('id');
  103. if (replace_id) {
  104. const delay = sizzle(`delay[xmlns="${Strophe.NS.DELAY}"]`, original_stanza).pop();
  105. const time = delay ? dayjs(delay.getAttribute('stamp')).toISOString() : new Date().toISOString();
  106. return {
  107. replace_id,
  108. 'edited': time
  109. };
  110. }
  111. }
  112. return {};
  113. }
  114. export function getOpenGraphMetadata (stanza) {
  115. const fastening = sizzle(`> apply-to[xmlns="${Strophe.NS.FASTEN}"]`, stanza).pop();
  116. if (fastening) {
  117. const applies_to_id = fastening.getAttribute('id');
  118. const meta = sizzle(`> meta[xmlns="${Strophe.NS.XHTML}"]`, fastening);
  119. if (meta.length) {
  120. const msg_limit = api.settings.get('message_limit');
  121. const data = meta.reduce((acc, el) => {
  122. const property = el.getAttribute('property');
  123. if (property) {
  124. let value = decodeHTMLEntities(el.getAttribute('content') || '');
  125. if (msg_limit && property === 'og:description' && value.length >= msg_limit) {
  126. value = `${value.slice(0, msg_limit)}${decodeHTMLEntities('…')}`;
  127. }
  128. acc[property] = value;
  129. }
  130. return acc;
  131. }, {
  132. 'ogp_for_id': applies_to_id,
  133. });
  134. if ("og:description" in data || "og:title" in data || "og:image" in data) {
  135. return data;
  136. }
  137. }
  138. }
  139. return {};
  140. }
  141. export function getMediaURLsMetadata (text, offset=0) {
  142. const objs = [];
  143. if (!text) {
  144. return {};
  145. }
  146. try {
  147. URI.withinString(
  148. text,
  149. (url, start, end) => {
  150. if (url.startsWith('_')) {
  151. url = url.slice(1);
  152. start += 1;
  153. }
  154. if (url.endsWith('_')) {
  155. url = url.slice(0, url.length-1);
  156. end -= 1;
  157. }
  158. objs.push({ url, 'start': start+offset, 'end': end+offset });
  159. return url;
  160. },
  161. URL_PARSE_OPTIONS
  162. );
  163. } catch (error) {
  164. log.debug(error);
  165. }
  166. /**
  167. * @typedef { Object } MediaURLMetadata
  168. * An object representing the metadata of a URL found in a chat message
  169. * The actual URL is not saved, it can be extracted via the `start` and `end` indexes.
  170. * @property { Boolean } is_audio
  171. * @property { Boolean } is_image
  172. * @property { Boolean } is_video
  173. * @property { String } end
  174. * @property { String } start
  175. */
  176. const media_urls = objs
  177. .map(o => ({
  178. 'end': o.end,
  179. 'is_audio': isAudioURL(o.url),
  180. 'is_image': isImageURL(o.url),
  181. 'is_video': isVideoURL(o.url),
  182. 'is_encrypted': isEncryptedFileURL(o.url),
  183. 'start': o.start
  184. }));
  185. return media_urls.length ? { media_urls } : {};
  186. }
  187. export function getSpoilerAttributes (stanza) {
  188. const spoiler = sizzle(`spoiler[xmlns="${Strophe.NS.SPOILER}"]`, stanza).pop();
  189. return {
  190. 'is_spoiler': !!spoiler,
  191. 'spoiler_hint': spoiler?.textContent
  192. };
  193. }
  194. export function getOutOfBandAttributes (stanza) {
  195. const xform = sizzle(`x[xmlns="${Strophe.NS.OUTOFBAND}"]`, stanza).pop();
  196. if (xform) {
  197. return {
  198. 'oob_url': xform.querySelector('url')?.textContent,
  199. 'oob_desc': xform.querySelector('desc')?.textContent
  200. };
  201. }
  202. return {};
  203. }
  204. /**
  205. * Returns the human readable error message contained in a `groupchat` message stanza of type `error`.
  206. * @private
  207. * @param { Element } stanza - The message stanza
  208. */
  209. export function getErrorAttributes (stanza) {
  210. if (stanza.getAttribute('type') === 'error') {
  211. const error = stanza.querySelector('error');
  212. const text = sizzle(`text[xmlns="${Strophe.NS.STANZAS}"]`, error).pop();
  213. return {
  214. 'is_error': true,
  215. 'error_text': text?.textContent,
  216. 'error_type': error.getAttribute('type'),
  217. 'error_condition': error.firstElementChild.nodeName
  218. };
  219. }
  220. return {};
  221. }
  222. /**
  223. * Given a message stanza, find and return any XEP-0372 references
  224. * @param { Element } stana - The message stanza
  225. * @returns { Reference }
  226. */
  227. export function getReferences (stanza) {
  228. return sizzle(`reference[xmlns="${Strophe.NS.REFERENCE}"]`, stanza).map(ref => {
  229. const anchor = ref.getAttribute('anchor');
  230. const text = stanza.querySelector(anchor ? `#${anchor}` : 'body')?.textContent;
  231. if (!text) {
  232. log.warn(`Could not find referenced text for ${ref}`);
  233. return null;
  234. }
  235. const begin = ref.getAttribute('begin');
  236. const end = ref.getAttribute('end');
  237. /**
  238. * @typedef { Object } Reference
  239. * An object representing XEP-0372 reference data
  240. * @property { string } begin
  241. * @property { string } end
  242. * @property { string } type
  243. * @property { String } value
  244. * @property { String } uri
  245. */
  246. return {
  247. begin, end,
  248. 'type': ref.getAttribute('type'),
  249. 'value': text.slice(begin, end),
  250. 'uri': ref.getAttribute('uri')
  251. };
  252. }).filter(r => r);
  253. }
  254. export function getReceiptId (stanza) {
  255. const receipt = sizzle(`received[xmlns="${Strophe.NS.RECEIPTS}"]`, stanza).pop();
  256. return receipt?.getAttribute('id');
  257. }
  258. /**
  259. * Determines whether the passed in stanza is a XEP-0280 Carbon
  260. * @private
  261. * @param { Element } stanza - The message stanza
  262. * @returns { Boolean }
  263. */
  264. export function isCarbon (stanza) {
  265. const xmlns = Strophe.NS.CARBONS;
  266. return (
  267. sizzle(`message > received[xmlns="${xmlns}"]`, stanza).length > 0 ||
  268. sizzle(`message > sent[xmlns="${xmlns}"]`, stanza).length > 0
  269. );
  270. }
  271. /**
  272. * Returns the XEP-0085 chat state contained in a message stanza
  273. * @private
  274. * @param { Element } stanza - The message stanza
  275. */
  276. export function getChatState (stanza) {
  277. return sizzle(
  278. `
  279. composing[xmlns="${NS.CHATSTATES}"],
  280. paused[xmlns="${NS.CHATSTATES}"],
  281. inactive[xmlns="${NS.CHATSTATES}"],
  282. active[xmlns="${NS.CHATSTATES}"],
  283. gone[xmlns="${NS.CHATSTATES}"]`,
  284. stanza
  285. ).pop()?.nodeName;
  286. }
  287. export function isValidReceiptRequest (stanza, attrs) {
  288. return (
  289. attrs.sender !== 'me' &&
  290. !attrs.is_carbon &&
  291. !attrs.is_archived &&
  292. sizzle(`request[xmlns="${Strophe.NS.RECEIPTS}"]`, stanza).length
  293. );
  294. }
  295. /**
  296. * Check whether the passed-in stanza is a forwarded message that is "bare",
  297. * i.e. it's not forwarded as part of a larger protocol, like MAM.
  298. * @param { Element } stanza
  299. */
  300. export function throwErrorIfInvalidForward (stanza) {
  301. const bare_forward = sizzle(`message > forwarded[xmlns="${Strophe.NS.FORWARD}"]`, stanza).length;
  302. if (bare_forward) {
  303. rejectMessage(stanza, 'Forwarded messages not part of an encapsulating protocol are not supported');
  304. const from_jid = stanza.getAttribute('from');
  305. throw new StanzaParseError(`Ignoring unencapsulated forwarded message from ${from_jid}`, stanza);
  306. }
  307. }
  308. /**
  309. * Determines whether the passed in stanza is a XEP-0333 Chat Marker
  310. * @private
  311. * @method getChatMarker
  312. * @param { Element } stanza - The message stanza
  313. * @returns { Boolean }
  314. */
  315. export function getChatMarker (stanza) {
  316. // If we receive more than one marker (which shouldn't happen), we take
  317. // the highest level of acknowledgement.
  318. return sizzle(`
  319. acknowledged[xmlns="${Strophe.NS.MARKERS}"],
  320. displayed[xmlns="${Strophe.NS.MARKERS}"],
  321. received[xmlns="${Strophe.NS.MARKERS}"]`,
  322. stanza
  323. ).pop();
  324. }
  325. export function isHeadline (stanza) {
  326. return stanza.getAttribute('type') === 'headline';
  327. }
  328. export function isServerMessage (stanza) {
  329. if (sizzle(`mentions[xmlns="${Strophe.NS.MENTIONS}"]`, stanza).pop()) {
  330. return false;
  331. }
  332. const from_jid = stanza.getAttribute('from');
  333. if (stanza.getAttribute('type') !== 'error' && from_jid && !from_jid.includes('@')) {
  334. // Some servers (e.g. Prosody) don't set the stanza
  335. // type to "headline" when sending server messages.
  336. // For now we check if an @ signal is included, and if not,
  337. // we assume it's a headline stanza.
  338. return true;
  339. }
  340. return false;
  341. }
  342. /**
  343. * Determines whether the passed in stanza is a XEP-0313 MAM stanza
  344. * @private
  345. * @method isArchived
  346. * @param { Element } stanza - The message stanza
  347. * @returns { Boolean }
  348. */
  349. export function isArchived (original_stanza) {
  350. return !!sizzle(`message > result[xmlns="${Strophe.NS.MAM}"]`, original_stanza).pop();
  351. }
  352. /**
  353. * Returns an object containing all attribute names and values for a particular element.
  354. * @method getAttributes
  355. * @param { Element } stanza
  356. * @returns { Object }
  357. */
  358. export function getAttributes (stanza) {
  359. return stanza.getAttributeNames().reduce((acc, name) => {
  360. acc[name] = Strophe.xmlunescape(stanza.getAttribute(name));
  361. return acc;
  362. }, {});
  363. }