You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

statistics.js 25KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816
  1. import EventEmitter from 'events';
  2. import * as JitsiConferenceEvents from '../../JitsiConferenceEvents';
  3. import JitsiTrackError from '../../JitsiTrackError';
  4. import { FEEDBACK } from '../../service/statistics/AnalyticsEvents';
  5. import * as StatisticsEvents from '../../service/statistics/Events';
  6. import browser from '../browser';
  7. import ScriptUtil from '../util/ScriptUtil';
  8. import analytics from './AnalyticsAdapter';
  9. import CallStats from './CallStats';
  10. import LocalStats from './LocalStatsCollector';
  11. import { PerformanceObserverStats } from './PerformanceObserverStats';
  12. import RTPStats from './RTPStatsCollector';
  13. import { CALLSTATS_SCRIPT_URL } from './constants';
  14. const logger = require('jitsi-meet-logger').getLogger(__filename);
  15. /**
  16. * Stores all active {@link Statistics} instances.
  17. * @type {Set<Statistics>}
  18. */
  19. let _instances;
  20. /**
  21. * True if callstats API is loaded
  22. */
  23. let isCallstatsLoaded = false;
  24. /**
  25. * Since callstats.io is a third party, we cannot guarantee the quality of their
  26. * service. More specifically, their server may take noticeably long time to
  27. * respond. Consequently, it is in our best interest (in the sense that the
  28. * intergration of callstats.io is pretty important to us but not enough to
  29. * allow it to prevent people from joining a conference) to (1) start
  30. * downloading their API as soon as possible and (2) do the downloading
  31. * asynchronously.
  32. *
  33. * @param {StatisticsOptions} options - Options to use for downloading and
  34. * initializing callstats backend.
  35. */
  36. function loadCallStatsAPI(options) {
  37. if (!isCallstatsLoaded) {
  38. ScriptUtil.loadScript(
  39. options.customScriptUrl || CALLSTATS_SCRIPT_URL,
  40. /* async */ true,
  41. /* prepend */ true,
  42. /* relativeURL */ undefined,
  43. /* loadCallback */ () => _initCallStatsBackend(options)
  44. );
  45. isCallstatsLoaded = true;
  46. }
  47. }
  48. /**
  49. * Initializes Callstats backend.
  50. *
  51. * @param {StatisticsOptions} options - The options to use for initializing
  52. * callstats backend.
  53. * @private
  54. */
  55. function _initCallStatsBackend(options) {
  56. if (CallStats.isBackendInitialized()) {
  57. return;
  58. }
  59. if (!CallStats.initBackend({
  60. callStatsID: options.callStatsID,
  61. callStatsSecret: options.callStatsSecret,
  62. userName: options.userName,
  63. aliasName: options.aliasName,
  64. applicationName: options.applicationName,
  65. getWiFiStatsMethod: options.getWiFiStatsMethod,
  66. confID: options.confID,
  67. siteID: options.siteID
  68. })) {
  69. logger.error('CallStats Backend initialization failed bad');
  70. }
  71. }
  72. /**
  73. * callstats strips any additional fields from Error except for "name", "stack",
  74. * "message" and "constraintName". So we need to bundle additional information
  75. * from JitsiTrackError into error passed to callstats to preserve valuable
  76. * information about error.
  77. * @param {JitsiTrackError} error
  78. */
  79. function formatJitsiTrackErrorForCallStats(error) {
  80. const err = new Error();
  81. // Just copy original stack from error
  82. err.stack = error.stack;
  83. // Combine name from error's name plus (possibly) name of original GUM error
  84. err.name = (error.name || 'Unknown error') + (error.gum && error.gum.error
  85. && error.gum.error.name ? ` - ${error.gum.error.name}` : '');
  86. // Put all constraints into this field. For constraint failed errors we will
  87. // still know which exactly constraint failed as it will be a part of
  88. // message.
  89. err.constraintName = error.gum && error.gum.constraints
  90. ? JSON.stringify(error.gum.constraints) : '';
  91. // Just copy error's message.
  92. err.message = error.message;
  93. return err;
  94. }
  95. /**
  96. * Init statistic options
  97. * @param options
  98. */
  99. Statistics.init = function(options) {
  100. Statistics.audioLevelsEnabled = !options.disableAudioLevels;
  101. if (typeof options.pcStatsInterval === 'number') {
  102. Statistics.pcStatsInterval = options.pcStatsInterval;
  103. }
  104. if (typeof options.audioLevelsInterval === 'number') {
  105. Statistics.audioLevelsInterval = options.audioLevelsInterval;
  106. }
  107. if (typeof options.performanceStatsInterval === 'number') {
  108. Statistics.performanceStatsInterval = options.performanceStatsInterval;
  109. }
  110. Statistics.disableThirdPartyRequests = options.disableThirdPartyRequests;
  111. };
  112. /**
  113. * The options to configure Statistics.
  114. * @typedef {Object} StatisticsOptions
  115. * @property {string} applicationName - The application name to pass to
  116. * callstats.
  117. * @property {string} aliasName - The alias name to use when initializing callstats.
  118. * @property {string} userName - The user name to use when initializing callstats.
  119. * @property {string} confID - The callstats conference ID to use.
  120. * @property {string} callStatsID - Callstats credentials - the id.
  121. * @property {string} callStatsSecret - Callstats credentials - the secret.
  122. * @property {string} customScriptUrl - A custom lib url to use when downloading
  123. * callstats library.
  124. * @property {string} roomName - The room name we are currently in.
  125. */
  126. /**
  127. *
  128. * @param xmpp
  129. * @param {StatisticsOptions} options - The options to use creating the
  130. * Statistics.
  131. */
  132. export default function Statistics(xmpp, options) {
  133. /**
  134. * {@link RTPStats} mapped by {@link TraceablePeerConnection.id} which
  135. * collect RTP statistics for each peerconnection.
  136. * @type {Map<string, RTPStats}
  137. */
  138. this.rtpStatsMap = new Map();
  139. this.eventEmitter = new EventEmitter();
  140. this.xmpp = xmpp;
  141. this.options = options || {};
  142. this.callStatsIntegrationEnabled
  143. = this.options.callStatsID && this.options.callStatsSecret
  144. // Even though AppID and AppSecret may be specified, the integration
  145. // of callstats.io may be disabled because of globally-disallowed
  146. // requests to any third parties.
  147. && (Statistics.disableThirdPartyRequests !== true);
  148. if (this.callStatsIntegrationEnabled) {
  149. this.callStatsApplicationLogsDisabled
  150. = this.options.callStatsApplicationLogsDisabled;
  151. if (browser.isReactNative()) {
  152. _initCallStatsBackend(this.options);
  153. } else {
  154. loadCallStatsAPI(this.options);
  155. }
  156. if (!this.options.confID) {
  157. logger.warn('"confID" is not defined');
  158. }
  159. }
  160. /**
  161. * Stores {@link CallStats} instances for each
  162. * {@link TraceablePeerConnection} (one {@link CallStats} instance serves
  163. * one TPC). The instances are mapped by {@link TraceablePeerConnection.id}.
  164. * @type {Map<number, CallStats>}
  165. */
  166. this.callsStatsInstances = new Map();
  167. Statistics.instances.add(this);
  168. }
  169. Statistics.audioLevelsEnabled = false;
  170. Statistics.audioLevelsInterval = 200;
  171. Statistics.pcStatsInterval = 10000;
  172. Statistics.performanceStatsInterval = 10000;
  173. Statistics.disableThirdPartyRequests = false;
  174. Statistics.analytics = analytics;
  175. Object.defineProperty(Statistics, 'instances', {
  176. /**
  177. * Returns the Set holding all active {@link Statistics} instances. Lazily
  178. * initializes the Set to allow any Set polyfills to be applied.
  179. * @type {Set<Statistics>}
  180. */
  181. get() {
  182. if (!_instances) {
  183. _instances = new Set();
  184. }
  185. return _instances;
  186. }
  187. });
  188. /**
  189. * Starts collecting RTP stats for given peerconnection.
  190. * @param {TraceablePeerConnection} peerconnection
  191. */
  192. Statistics.prototype.startRemoteStats = function(peerconnection) {
  193. this.stopRemoteStats(peerconnection);
  194. try {
  195. const rtpStats
  196. = new RTPStats(
  197. peerconnection,
  198. Statistics.audioLevelsInterval,
  199. Statistics.pcStatsInterval,
  200. this.eventEmitter);
  201. rtpStats.start(Statistics.audioLevelsEnabled);
  202. this.rtpStatsMap.set(peerconnection.id, rtpStats);
  203. } catch (e) {
  204. logger.error(`Failed to start collecting remote statistics: ${e}`);
  205. }
  206. };
  207. Statistics.localStats = [];
  208. Statistics.startLocalStats = function(stream, callback) {
  209. if (!Statistics.audioLevelsEnabled) {
  210. return;
  211. }
  212. const localStats = new LocalStats(stream, Statistics.audioLevelsInterval,
  213. callback);
  214. this.localStats.push(localStats);
  215. localStats.start();
  216. };
  217. Statistics.prototype.addAudioLevelListener = function(listener) {
  218. if (!Statistics.audioLevelsEnabled) {
  219. return;
  220. }
  221. this.eventEmitter.on(StatisticsEvents.AUDIO_LEVEL, listener);
  222. };
  223. Statistics.prototype.removeAudioLevelListener = function(listener) {
  224. if (!Statistics.audioLevelsEnabled) {
  225. return;
  226. }
  227. this.eventEmitter.removeListener(StatisticsEvents.AUDIO_LEVEL, listener);
  228. };
  229. Statistics.prototype.addBeforeDisposedListener = function(listener) {
  230. this.eventEmitter.on(StatisticsEvents.BEFORE_DISPOSED, listener);
  231. };
  232. Statistics.prototype.removeBeforeDisposedListener = function(listener) {
  233. this.eventEmitter.removeListener(
  234. StatisticsEvents.BEFORE_DISPOSED, listener);
  235. };
  236. Statistics.prototype.addConnectionStatsListener = function(listener) {
  237. this.eventEmitter.on(StatisticsEvents.CONNECTION_STATS, listener);
  238. };
  239. Statistics.prototype.removeConnectionStatsListener = function(listener) {
  240. this.eventEmitter.removeListener(
  241. StatisticsEvents.CONNECTION_STATS,
  242. listener);
  243. };
  244. Statistics.prototype.addByteSentStatsListener = function(listener) {
  245. this.eventEmitter.on(StatisticsEvents.BYTE_SENT_STATS, listener);
  246. };
  247. Statistics.prototype.removeByteSentStatsListener = function(listener) {
  248. this.eventEmitter.removeListener(StatisticsEvents.BYTE_SENT_STATS,
  249. listener);
  250. };
  251. /**
  252. * Add a listener that would be notified on a LONG_TASKS_STATS event.
  253. *
  254. * @param {Function} listener a function that would be called when notified.
  255. * @returns {void}
  256. */
  257. Statistics.prototype.addPerformanceStatsListener = function(listener) {
  258. this.eventEmitter.on(StatisticsEvents.LONG_TASKS_STATS, listener);
  259. };
  260. /**
  261. * Creates an instance of {@link PerformanceObserverStats} and starts the
  262. * observer that records the stats periodically.
  263. *
  264. * @returns {void}
  265. */
  266. Statistics.prototype.attachPerformanceStats = function(conference) {
  267. if (!browser.supportsPerformanceObserver()) {
  268. logger.warn('Performance observer for long tasks not supported by browser!');
  269. return;
  270. }
  271. this.performanceObserverStats = new PerformanceObserverStats(
  272. this.eventEmitter,
  273. Statistics.performanceStatsInterval);
  274. conference.on(
  275. JitsiConferenceEvents.CONFERENCE_JOINED,
  276. () => this.performanceObserverStats.startObserver());
  277. conference.on(
  278. JitsiConferenceEvents.CONFERENCE_LEFT,
  279. () => this.performanceObserverStats.stopObserver());
  280. };
  281. /**
  282. * Obtains the current value of the performance statistics.
  283. *
  284. * @returns {Object|null} stats object if the observer has been
  285. * created, null otherwise.
  286. */
  287. Statistics.prototype.getPerformanceStats = function() {
  288. return this.performanceObserverStats
  289. ? this.performanceObserverStats.getPerformanceStats()
  290. : null;
  291. };
  292. /**
  293. * Removes the given listener for the LONG_TASKS_STATS event.
  294. *
  295. * @param {Function} listener the listener we want to remove.
  296. * @returns {void}
  297. */
  298. Statistics.prototype.removePerformanceStatsListener = function(listener) {
  299. this.eventEmitter.removeListener(StatisticsEvents.LONG_TASKS_STATS, listener);
  300. };
  301. Statistics.prototype.dispose = function() {
  302. try {
  303. // NOTE Before reading this please see the comment in stopCallStats...
  304. //
  305. // Here we prevent from emitting the event twice in case it will be
  306. // triggered from stopCallStats.
  307. // If the event is triggered from here it means that the logs will not
  308. // be submitted anyway (because there is no CallStats instance), but
  309. // we're doing that for the sake of some kind of consistency.
  310. if (!this.callsStatsInstances.size) {
  311. this.eventEmitter.emit(StatisticsEvents.BEFORE_DISPOSED);
  312. }
  313. for (const callStats of this.callsStatsInstances.values()) {
  314. this.stopCallStats(callStats.tpc);
  315. }
  316. for (const tpcId of this.rtpStatsMap.keys()) {
  317. this._stopRemoteStats(tpcId);
  318. }
  319. if (this.eventEmitter) {
  320. this.eventEmitter.removeAllListeners();
  321. }
  322. } finally {
  323. Statistics.instances.delete(this);
  324. }
  325. };
  326. Statistics.stopLocalStats = function(stream) {
  327. if (!Statistics.audioLevelsEnabled) {
  328. return;
  329. }
  330. for (let i = 0; i < Statistics.localStats.length; i++) {
  331. if (Statistics.localStats[i].stream === stream) {
  332. const localStats = Statistics.localStats.splice(i, 1);
  333. localStats[0].stop();
  334. break;
  335. }
  336. }
  337. };
  338. /**
  339. * Stops remote RTP stats for given peerconnection ID.
  340. * @param {string} tpcId {@link TraceablePeerConnection.id}
  341. * @private
  342. */
  343. Statistics.prototype._stopRemoteStats = function(tpcId) {
  344. const rtpStats = this.rtpStatsMap.get(tpcId);
  345. if (rtpStats) {
  346. rtpStats.stop();
  347. this.rtpStatsMap.delete(tpcId);
  348. }
  349. };
  350. /**
  351. * Stops collecting RTP stats for given peerconnection
  352. * @param {TraceablePeerConnection} tpc
  353. */
  354. Statistics.prototype.stopRemoteStats = function(tpc) {
  355. this._stopRemoteStats(tpc.id);
  356. };
  357. // CALSTATS METHODS
  358. /**
  359. * Initializes the callstats.io API.
  360. * @param {TraceablePeerConnection} tpc the {@link TraceablePeerConnection}
  361. * instance for which CalStats will be started.
  362. * @param {string} remoteUserID
  363. */
  364. Statistics.prototype.startCallStats = function(tpc, remoteUserID) {
  365. if (!this.callStatsIntegrationEnabled) {
  366. return;
  367. } else if (this.callsStatsInstances.has(tpc.id)) {
  368. logger.error('CallStats instance for ${tpc} exists already');
  369. return;
  370. }
  371. logger.info(`Starting CallStats for ${tpc}...`);
  372. const newInstance
  373. = new CallStats(
  374. tpc,
  375. {
  376. confID: this.options.confID,
  377. remoteUserID
  378. });
  379. this.callsStatsInstances.set(tpc.id, newInstance);
  380. };
  381. /**
  382. * Obtains the list of *all* {@link CallStats} instances collected from every
  383. * valid {@link Statistics} instance.
  384. * @return {Set<CallStats>}
  385. * @private
  386. */
  387. Statistics._getAllCallStatsInstances = function() {
  388. const csInstances = new Set();
  389. for (const statistics of Statistics.instances) {
  390. for (const cs of statistics.callsStatsInstances.values()) {
  391. csInstances.add(cs);
  392. }
  393. }
  394. return csInstances;
  395. };
  396. /**
  397. * Removes the callstats.io instances.
  398. */
  399. Statistics.prototype.stopCallStats = function(tpc) {
  400. const callStatsInstance = this.callsStatsInstances.get(tpc.id);
  401. if (callStatsInstance) {
  402. // FIXME the original purpose of adding BEFORE_DISPOSED event was to be
  403. // able to submit the last log batch from jitsi-meet to CallStats. After
  404. // recent changes we dispose the CallStats earlier
  405. // (before Statistics.dispose), so we need to emit this event here to
  406. // give this last chance for final log batch submission.
  407. //
  408. // Eventually there should be a separate module called "log storage"
  409. // which should emit proper events when it's underlying
  410. // CallStats instance is going away.
  411. if (this.callsStatsInstances.size === 1) {
  412. this.eventEmitter.emit(StatisticsEvents.BEFORE_DISPOSED);
  413. }
  414. this.callsStatsInstances.delete(tpc.id);
  415. // The fabric needs to be terminated when being stopped
  416. callStatsInstance.sendTerminateEvent();
  417. }
  418. };
  419. /**
  420. * Returns true if the callstats integration is enabled, otherwise returns
  421. * false.
  422. *
  423. * @returns true if the callstats integration is enabled, otherwise returns
  424. * false.
  425. */
  426. Statistics.prototype.isCallstatsEnabled = function() {
  427. return this.callStatsIntegrationEnabled;
  428. };
  429. /**
  430. * Logs either resume or hold event for the given peer connection.
  431. * @param {TraceablePeerConnection} tpc the connection for which event will be
  432. * reported
  433. * @param {boolean} isResume true for resume or false for hold
  434. */
  435. Statistics.prototype.sendConnectionResumeOrHoldEvent = function(tpc, isResume) {
  436. const instance = this.callsStatsInstances.get(tpc.id);
  437. if (instance) {
  438. instance.sendResumeOrHoldEvent(isResume);
  439. }
  440. };
  441. /**
  442. * Notifies CallStats and analytics (if present) for ice connection failed
  443. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  444. */
  445. Statistics.prototype.sendIceConnectionFailedEvent = function(tpc) {
  446. const instance = this.callsStatsInstances.get(tpc.id);
  447. if (instance) {
  448. instance.sendIceConnectionFailedEvent();
  449. }
  450. };
  451. /**
  452. * Notifies CallStats for mute events
  453. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  454. * @param {boolean} muted true for muted and false for not muted
  455. * @param {String} type "audio"/"video"
  456. */
  457. Statistics.prototype.sendMuteEvent = function(tpc, muted, type) {
  458. const instance = tpc && this.callsStatsInstances.get(tpc.id);
  459. CallStats.sendMuteEvent(muted, type, instance);
  460. };
  461. /**
  462. * Notifies CallStats for screen sharing events
  463. * @param start {boolean} true for starting screen sharing and
  464. * false for not stopping
  465. * @param {string|null} ssrc - optional ssrc value, used only when
  466. * starting screen sharing.
  467. */
  468. Statistics.prototype.sendScreenSharingEvent
  469. = function(start, ssrc) {
  470. for (const cs of this.callsStatsInstances.values()) {
  471. cs.sendScreenSharingEvent(start, ssrc);
  472. }
  473. };
  474. /**
  475. * Notifies the statistics module that we are now the dominant speaker of the
  476. * conference.
  477. * @param {String} roomJid - The room jid where the speaker event occurred.
  478. */
  479. Statistics.prototype.sendDominantSpeakerEvent = function(roomJid) {
  480. for (const cs of this.callsStatsInstances.values()) {
  481. cs.sendDominantSpeakerEvent();
  482. }
  483. // xmpp send dominant speaker event
  484. this.xmpp.sendDominantSpeakerEvent(roomJid);
  485. };
  486. /**
  487. * Notifies about active device.
  488. * @param {{deviceList: {String:String}}} devicesData - list of devices with
  489. * their data
  490. */
  491. Statistics.sendActiveDeviceListEvent = function(devicesData) {
  492. const globalSet = Statistics._getAllCallStatsInstances();
  493. if (globalSet.size) {
  494. for (const cs of globalSet) {
  495. CallStats.sendActiveDeviceListEvent(devicesData, cs);
  496. }
  497. } else {
  498. CallStats.sendActiveDeviceListEvent(devicesData, null);
  499. }
  500. };
  501. /* eslint-disable max-params */
  502. /**
  503. * Lets the underlying statistics module know where is given SSRC rendered by
  504. * providing renderer tag ID.
  505. * @param {TraceablePeerConnection} tpc the connection to which the stream
  506. * belongs to
  507. * @param {number} ssrc the SSRC of the stream
  508. * @param {boolean} isLocal
  509. * @param {string} userId
  510. * @param {string} usageLabel meaningful usage label of this stream like
  511. * 'microphone', 'camera' or 'screen'.
  512. * @param {string} containerId the id of media 'audio' or 'video' tag which
  513. * renders the stream.
  514. */
  515. Statistics.prototype.associateStreamWithVideoTag = function(
  516. tpc,
  517. ssrc,
  518. isLocal,
  519. userId,
  520. usageLabel,
  521. containerId) {
  522. const instance = this.callsStatsInstances.get(tpc.id);
  523. if (instance) {
  524. instance.associateStreamWithVideoTag(
  525. ssrc,
  526. isLocal,
  527. userId,
  528. usageLabel,
  529. containerId);
  530. }
  531. };
  532. /* eslint-enable max-params */
  533. /**
  534. * Notifies CallStats that getUserMedia failed.
  535. *
  536. * @param {Error} e error to send
  537. */
  538. Statistics.sendGetUserMediaFailed = function(e) {
  539. const error
  540. = e instanceof JitsiTrackError
  541. ? formatJitsiTrackErrorForCallStats(e) : e;
  542. const globalSet = Statistics._getAllCallStatsInstances();
  543. if (globalSet.size) {
  544. for (const cs of globalSet) {
  545. CallStats.sendGetUserMediaFailed(error, cs);
  546. }
  547. } else {
  548. CallStats.sendGetUserMediaFailed(error, null);
  549. }
  550. };
  551. /**
  552. * Notifies CallStats that peer connection failed to create offer.
  553. *
  554. * @param {Error} e error to send
  555. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  556. */
  557. Statistics.prototype.sendCreateOfferFailed = function(e, tpc) {
  558. const instance = this.callsStatsInstances.get(tpc.id);
  559. if (instance) {
  560. instance.sendCreateOfferFailed(e);
  561. }
  562. };
  563. /**
  564. * Notifies CallStats that peer connection failed to create answer.
  565. *
  566. * @param {Error} e error to send
  567. * @param {TraceablePeerConnection} tpc connection on which failure occured.
  568. */
  569. Statistics.prototype.sendCreateAnswerFailed = function(e, tpc) {
  570. const instance = this.callsStatsInstances.get(tpc.id);
  571. if (instance) {
  572. instance.sendCreateAnswerFailed(e);
  573. }
  574. };
  575. /**
  576. * Notifies CallStats that peer connection failed to set local description.
  577. *
  578. * @param {Error} e error to send
  579. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  580. */
  581. Statistics.prototype.sendSetLocalDescFailed = function(e, tpc) {
  582. const instance = this.callsStatsInstances.get(tpc.id);
  583. if (instance) {
  584. instance.sendSetLocalDescFailed(e);
  585. }
  586. };
  587. /**
  588. * Notifies CallStats that peer connection failed to set remote description.
  589. *
  590. * @param {Error} e error to send
  591. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  592. */
  593. Statistics.prototype.sendSetRemoteDescFailed = function(e, tpc) {
  594. const instance = this.callsStatsInstances.get(tpc.id);
  595. if (instance) {
  596. instance.sendSetRemoteDescFailed(e);
  597. }
  598. };
  599. /**
  600. * Notifies CallStats that peer connection failed to add ICE candidate.
  601. *
  602. * @param {Error} e error to send
  603. * @param {TraceablePeerConnection} tpc connection on which failure occurred.
  604. */
  605. Statistics.prototype.sendAddIceCandidateFailed = function(e, tpc) {
  606. const instance = this.callsStatsInstances.get(tpc.id);
  607. if (instance) {
  608. instance.sendAddIceCandidateFailed(e);
  609. }
  610. };
  611. /**
  612. * Adds to CallStats an application log.
  613. *
  614. * @param {String} m a log message to send or an {Error} object to be reported
  615. */
  616. Statistics.sendLog = function(m) {
  617. const globalSubSet = new Set();
  618. // FIXME we don't want to duplicate logs over P2P instance, but
  619. // here we should go over instances and call this method for each
  620. // unique conference ID rather than selecting the first one.
  621. // We don't have such use case though, so leaving as is for now.
  622. for (const stats of Statistics.instances) {
  623. if (stats.callStatsApplicationLogsDisabled) {
  624. return;
  625. }
  626. if (stats.callsStatsInstances.size) {
  627. globalSubSet.add(stats.callsStatsInstances.values().next().value);
  628. }
  629. }
  630. if (globalSubSet.size) {
  631. for (const csPerStats of globalSubSet) {
  632. CallStats.sendApplicationLog(m, csPerStats);
  633. }
  634. } else {
  635. CallStats.sendApplicationLog(m, null);
  636. }
  637. };
  638. /**
  639. * Sends the given feedback through CallStats.
  640. *
  641. * @param overall an integer between 1 and 5 indicating the user's rating.
  642. * @param comment the comment from the user.
  643. * @returns {Promise} Resolves when callstats feedback has been submitted
  644. * successfully.
  645. */
  646. Statistics.prototype.sendFeedback = function(overall, comment) {
  647. // Statistics.analytics.sendEvent is currently fire and forget, without
  648. // confirmation of successful send.
  649. Statistics.analytics.sendEvent(
  650. FEEDBACK,
  651. {
  652. rating: overall,
  653. comment
  654. });
  655. return CallStats.sendFeedback(this.options.confID, overall, comment);
  656. };
  657. Statistics.LOCAL_JID = require('../../service/statistics/constants').LOCAL_JID;
  658. /**
  659. * Reports global error to CallStats.
  660. *
  661. * @param {Error} error
  662. */
  663. Statistics.reportGlobalError = function(error) {
  664. if (error instanceof JitsiTrackError && error.gum) {
  665. Statistics.sendGetUserMediaFailed(error);
  666. } else {
  667. Statistics.sendLog(error);
  668. }
  669. };
  670. /**
  671. * Sends event to analytics and logs a message to the logger/console. Console
  672. * messages might also be logged to callstats automatically.
  673. *
  674. * @param {string | Object} event the event name, or an object which
  675. * represents the entire event.
  676. * @param {Object} properties properties to attach to the event (if an event
  677. * name as opposed to an event object is provided).
  678. */
  679. Statistics.sendAnalyticsAndLog = function(event, properties = {}) {
  680. if (!event) {
  681. logger.warn('No event or event name given.');
  682. return;
  683. }
  684. let eventToLog;
  685. // Also support an API with a single object as an event.
  686. if (typeof event === 'object') {
  687. eventToLog = event;
  688. } else {
  689. eventToLog = {
  690. name: event,
  691. properties
  692. };
  693. }
  694. logger.log(JSON.stringify(eventToLog));
  695. // We do this last, because it may modify the object which is passed.
  696. this.analytics.sendEvent(event, properties);
  697. };
  698. /**
  699. * Sends event to analytics.
  700. *
  701. * @param {string | Object} eventName the event name, or an object which
  702. * represents the entire event.
  703. * @param {Object} properties properties to attach to the event
  704. */
  705. Statistics.sendAnalytics = function(eventName, properties = {}) {
  706. this.analytics.sendEvent(eventName, properties);
  707. };