Du kannst nicht mehr als 25 Themen auswählen Themen müssen mit entweder einem Buchstaben oder einer Ziffer beginnen. Sie können Bindestriche („-“) enthalten und bis zu 35 Zeichen lang sein.

ChatRoom.js 27KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832
  1. /* global Strophe, $, $pres, $iq, $msg */
  2. /* jshint -W101,-W069 */
  3. var logger = require("jitsi-meet-logger").getLogger(__filename);
  4. var XMPPEvents = require("../../service/xmpp/XMPPEvents");
  5. var Moderator = require("./moderator");
  6. var EventEmitter = require("events");
  7. var Recorder = require("./recording");
  8. var JIBRI_XMLNS = 'http://jitsi.org/protocol/jibri';
  9. var parser = {
  10. packet2JSON: function (packet, nodes) {
  11. var self = this;
  12. $(packet).children().each(function (index) {
  13. var tagName = $(this).prop("tagName");
  14. var node = {
  15. tagName: tagName
  16. };
  17. node.attributes = {};
  18. $($(this)[0].attributes).each(function( index, attr ) {
  19. node.attributes[ attr.name ] = attr.value;
  20. });
  21. var text = Strophe.getText($(this)[0]);
  22. if (text) {
  23. node.value = text;
  24. }
  25. node.children = [];
  26. nodes.push(node);
  27. self.packet2JSON($(this), node.children);
  28. });
  29. },
  30. JSON2packet: function (nodes, packet) {
  31. for(var i = 0; i < nodes.length; i++) {
  32. var node = nodes[i];
  33. if(!node || node === null){
  34. continue;
  35. }
  36. packet.c(node.tagName, node.attributes);
  37. if(node.value)
  38. packet.t(node.value);
  39. if(node.children)
  40. this.JSON2packet(node.children, packet);
  41. packet.up();
  42. }
  43. // packet.up();
  44. }
  45. };
  46. /**
  47. * Returns array of JS objects from the presence JSON associated with the passed nodeName
  48. * @param pres the presence JSON
  49. * @param nodeName the name of the node (videomuted, audiomuted, etc)
  50. */
  51. function filterNodeFromPresenceJSON(pres, nodeName){
  52. var res = [];
  53. for(var i = 0; i < pres.length; i++)
  54. if(pres[i].tagName === nodeName)
  55. res.push(pres[i]);
  56. return res;
  57. }
  58. function ChatRoom(connection, jid, password, XMPP, options, settings) {
  59. this.eventEmitter = new EventEmitter();
  60. this.xmpp = XMPP;
  61. this.connection = connection;
  62. this.roomjid = Strophe.getBareJidFromJid(jid);
  63. this.myroomjid = jid;
  64. this.password = password;
  65. logger.info("Joined MUC as " + this.myroomjid);
  66. this.members = {};
  67. this.presMap = {};
  68. this.presHandlers = {};
  69. this.joined = false;
  70. this.role = 'none';
  71. this.focusMucJid = null;
  72. this.bridgeIsDown = false;
  73. this.options = options || {};
  74. this.moderator = new Moderator(this.roomjid, this.xmpp, this.eventEmitter,
  75. settings);
  76. this.initPresenceMap();
  77. this.session = null;
  78. var self = this;
  79. this.lastPresences = {};
  80. this.phoneNumber = null;
  81. this.phonePin = null;
  82. }
  83. ChatRoom.prototype.initPresenceMap = function () {
  84. this.presMap['to'] = this.myroomjid;
  85. this.presMap['xns'] = 'http://jabber.org/protocol/muc';
  86. this.presMap["nodes"] = [];
  87. this.presMap["nodes"].push( {
  88. "tagName": "user-agent",
  89. "value": navigator.userAgent,
  90. "attributes": {xmlns: 'http://jitsi.org/jitmeet/user-agent'}
  91. });
  92. };
  93. ChatRoom.prototype.updateDeviceAvailability = function (devices) {
  94. this.presMap["nodes"].push( {
  95. "tagName": "devices",
  96. "children": [
  97. {
  98. "tagName": "audio",
  99. "value": devices.audio,
  100. },
  101. {
  102. "tagName": "video",
  103. "value": devices.video,
  104. }
  105. ]
  106. });
  107. };
  108. ChatRoom.prototype.join = function (password) {
  109. if(password)
  110. this.password = password;
  111. var self = this;
  112. this.moderator.allocateConferenceFocus(function () {
  113. self.sendPresence(true);
  114. });
  115. };
  116. ChatRoom.prototype.sendPresence = function (fromJoin) {
  117. var to = this.presMap['to'];
  118. if (!to || (!this.joined && !fromJoin)) {
  119. // Too early to send presence - not initialized
  120. return;
  121. }
  122. var pres = $pres({to: to });
  123. pres.c('x', {xmlns: this.presMap['xns']});
  124. if (this.password) {
  125. pres.c('password').t(this.password).up();
  126. }
  127. pres.up();
  128. // Send XEP-0115 'c' stanza that contains our capabilities info
  129. var connection = this.connection;
  130. var caps = connection.caps;
  131. if (caps) {
  132. caps.node = this.xmpp.options.clientNode;
  133. pres.c('c', caps.generateCapsAttrs()).up();
  134. }
  135. parser.JSON2packet(this.presMap.nodes, pres);
  136. connection.send(pres);
  137. if (fromJoin) {
  138. // XXX We're pressed for time here because we're beginning a complex
  139. // and/or lengthy conference-establishment process which supposedly
  140. // involves multiple RTTs. We don't have the time to wait for Strophe to
  141. // decide to send our IQ.
  142. connection.flush();
  143. }
  144. };
  145. ChatRoom.prototype.doLeave = function () {
  146. logger.log("do leave", this.myroomjid);
  147. var pres = $pres({to: this.myroomjid, type: 'unavailable' });
  148. this.presMap.length = 0;
  149. // XXX Strophe is asynchronously sending by default. Unfortunately, that
  150. // means that there may not be enough time to send the unavailable presence.
  151. // Switching Strophe to synchronous sending is not much of an option because
  152. // it may lead to a noticeable delay in navigating away from the current
  153. // location. As a compromise, we will try to increase the chances of sending
  154. // the unavailable presence within the short time span that we have upon
  155. // unloading by invoking flush() on the connection. We flush() once before
  156. // sending/queuing the unavailable presence in order to attemtp to have the
  157. // unavailable presence at the top of the send queue. We flush() once more
  158. // after sending/queuing the unavailable presence in order to attempt to
  159. // have it sent as soon as possible.
  160. this.connection.flush();
  161. this.connection.send(pres);
  162. this.connection.flush();
  163. };
  164. ChatRoom.prototype.createNonAnonymousRoom = function () {
  165. // http://xmpp.org/extensions/xep-0045.html#createroom-reserved
  166. var getForm = $iq({type: 'get', to: this.roomjid})
  167. .c('query', {xmlns: 'http://jabber.org/protocol/muc#owner'})
  168. .c('x', {xmlns: 'jabber:x:data', type: 'submit'});
  169. var self = this;
  170. this.connection.sendIQ(getForm, function (form) {
  171. if (!$(form).find(
  172. '>query>x[xmlns="jabber:x:data"]' +
  173. '>field[var="muc#roomconfig_whois"]').length) {
  174. logger.error('non-anonymous rooms not supported');
  175. return;
  176. }
  177. var formSubmit = $iq({to: this.roomjid, type: 'set'})
  178. .c('query', {xmlns: 'http://jabber.org/protocol/muc#owner'});
  179. formSubmit.c('x', {xmlns: 'jabber:x:data', type: 'submit'});
  180. formSubmit.c('field', {'var': 'FORM_TYPE'})
  181. .c('value')
  182. .t('http://jabber.org/protocol/muc#roomconfig').up().up();
  183. formSubmit.c('field', {'var': 'muc#roomconfig_whois'})
  184. .c('value').t('anyone').up().up();
  185. self.connection.sendIQ(formSubmit);
  186. }, function (error) {
  187. logger.error("Error getting room configuration form");
  188. });
  189. };
  190. ChatRoom.prototype.onPresence = function (pres) {
  191. var from = pres.getAttribute('from');
  192. // Parse roles.
  193. var member = {};
  194. member.show = $(pres).find('>show').text();
  195. member.status = $(pres).find('>status').text();
  196. var mucUserItem
  197. = $(pres).find('>x[xmlns="http://jabber.org/protocol/muc#user"]>item');
  198. member.affiliation = mucUserItem.attr('affiliation');
  199. member.role = mucUserItem.attr('role');
  200. // Focus recognition
  201. var jid = mucUserItem.attr('jid');
  202. member.jid = jid;
  203. member.isFocus
  204. = !!jid && jid.indexOf(this.moderator.getFocusUserJid() + "/") === 0;
  205. $(pres).find(">x").remove();
  206. var nodes = [];
  207. parser.packet2JSON(pres, nodes);
  208. this.lastPresences[from] = nodes;
  209. var jibri = null;
  210. // process nodes to extract data needed for MUC_JOINED and MUC_MEMBER_JOINED
  211. // events
  212. for(var i = 0; i < nodes.length; i++)
  213. {
  214. var node = nodes[i];
  215. switch(node.tagName)
  216. {
  217. case "nick":
  218. member.nick = node.value;
  219. break;
  220. case "userId":
  221. member.id = node.value;
  222. break;
  223. }
  224. }
  225. if (from == this.myroomjid) {
  226. if (member.affiliation == 'owner' && this.role !== member.role) {
  227. this.role = member.role;
  228. this.eventEmitter.emit(XMPPEvents.LOCAL_ROLE_CHANGED, this.role);
  229. }
  230. if (!this.joined) {
  231. this.joined = true;
  232. console.log("(TIME) MUC joined:\t", window.performance.now());
  233. this.eventEmitter.emit(XMPPEvents.MUC_JOINED);
  234. }
  235. } else if (this.members[from] === undefined) {
  236. // new participant
  237. this.members[from] = member;
  238. logger.log('entered', from, member);
  239. if (member.isFocus) {
  240. this.focusMucJid = from;
  241. if(!this.recording) {
  242. this.recording = new Recorder(this.options.recordingType,
  243. this.eventEmitter, this.connection, this.focusMucJid,
  244. this.options.jirecon, this.roomjid);
  245. if(this.lastJibri)
  246. this.recording.handleJibriPresence(this.lastJibri);
  247. }
  248. logger.info("Ignore focus: " + from + ", real JID: " + jid);
  249. }
  250. else {
  251. this.eventEmitter.emit(
  252. XMPPEvents.MUC_MEMBER_JOINED, from, member.nick, member.role);
  253. }
  254. } else {
  255. // Presence update for existing participant
  256. // Watch role change:
  257. var memberOfThis = this.members[from];
  258. if (memberOfThis.role != member.role) {
  259. memberOfThis.role = member.role;
  260. this.eventEmitter.emit(
  261. XMPPEvents.MUC_ROLE_CHANGED, from, member.role);
  262. }
  263. // store the new display name
  264. if(member.displayName)
  265. memberOfThis.displayName = member.displayName;
  266. }
  267. // after we had fired member or room joined events, lets fire events
  268. // for the rest info we got in presence
  269. for(var i = 0; i < nodes.length; i++)
  270. {
  271. var node = nodes[i];
  272. switch(node.tagName)
  273. {
  274. case "nick":
  275. if(!member.isFocus) {
  276. var displayName = !this.xmpp.options.displayJids
  277. ? member.nick : Strophe.getResourceFromJid(from);
  278. if (displayName && displayName.length > 0) {
  279. this.eventEmitter.emit(
  280. XMPPEvents.DISPLAY_NAME_CHANGED, from, displayName);
  281. }
  282. }
  283. break;
  284. case "bridgeIsDown":
  285. if(!this.bridgeIsDown) {
  286. this.bridgeIsDown = true;
  287. this.eventEmitter.emit(XMPPEvents.BRIDGE_DOWN);
  288. }
  289. break;
  290. case "jibri-recording-status":
  291. var jibri = node;
  292. break;
  293. case "call-control":
  294. var att = node.attributes;
  295. if(!att)
  296. break;
  297. this.phoneNumber = att.phone || null;
  298. this.phonePin = att.pin || null;
  299. this.eventEmitter.emit(XMPPEvents.PHONE_NUMBER_CHANGED);
  300. break;
  301. default :
  302. this.processNode(node, from);
  303. }
  304. }
  305. // Trigger status message update
  306. if (member.status) {
  307. this.eventEmitter.emit(XMPPEvents.PRESENCE_STATUS, from, member.status);
  308. }
  309. if(jibri)
  310. {
  311. this.lastJibri = jibri;
  312. if(this.recording)
  313. this.recording.handleJibriPresence(jibri);
  314. }
  315. };
  316. ChatRoom.prototype.processNode = function (node, from) {
  317. if(this.presHandlers[node.tagName])
  318. this.presHandlers[node.tagName](
  319. node, Strophe.getResourceFromJid(from), from);
  320. };
  321. ChatRoom.prototype.sendMessage = function (body, nickname) {
  322. var msg = $msg({to: this.roomjid, type: 'groupchat'});
  323. msg.c('body', body).up();
  324. if (nickname) {
  325. msg.c('nick', {xmlns: 'http://jabber.org/protocol/nick'}).t(nickname).up().up();
  326. }
  327. this.connection.send(msg);
  328. this.eventEmitter.emit(XMPPEvents.SENDING_CHAT_MESSAGE, body);
  329. };
  330. ChatRoom.prototype.setSubject = function (subject) {
  331. var msg = $msg({to: this.roomjid, type: 'groupchat'});
  332. msg.c('subject', subject);
  333. this.connection.send(msg);
  334. };
  335. ChatRoom.prototype.onParticipantLeft = function (jid) {
  336. delete this.lastPresences[jid];
  337. this.eventEmitter.emit(XMPPEvents.MUC_MEMBER_LEFT, jid);
  338. this.moderator.onMucMemberLeft(jid);
  339. };
  340. ChatRoom.prototype.onPresenceUnavailable = function (pres, from) {
  341. // room destroyed ?
  342. if ($(pres).find('>x[xmlns="http://jabber.org/protocol/muc#user"]' +
  343. '>destroy').length) {
  344. var reason;
  345. var reasonSelect = $(pres).find(
  346. '>x[xmlns="http://jabber.org/protocol/muc#user"]' +
  347. '>destroy>reason');
  348. if (reasonSelect.length) {
  349. reason = reasonSelect.text();
  350. }
  351. this.xmpp.leaveRoom(this.roomjid);
  352. this.eventEmitter.emit(XMPPEvents.MUC_DESTROYED, reason);
  353. delete this.connection.emuc.rooms[Strophe.getBareJidFromJid(from)];
  354. return true;
  355. }
  356. // Status code 110 indicates that this notification is "self-presence".
  357. if (!$(pres).find('>x[xmlns="http://jabber.org/protocol/muc#user"]>status[code="110"]').length) {
  358. delete this.members[from];
  359. this.onParticipantLeft(from);
  360. }
  361. // If the status code is 110 this means we're leaving and we would like
  362. // to remove everyone else from our view, so we trigger the event.
  363. else if (Object.keys(this.members).length > 1) {
  364. for (var i in this.members) {
  365. var member = this.members[i];
  366. delete this.members[i];
  367. this.onParticipantLeft(member);
  368. }
  369. }
  370. if ($(pres).find('>x[xmlns="http://jabber.org/protocol/muc#user"]>status[code="307"]').length) {
  371. if (this.myroomjid === from) {
  372. this.xmpp.leaveRoom(this.roomjid);
  373. this.eventEmitter.emit(XMPPEvents.KICKED);
  374. }
  375. }
  376. };
  377. ChatRoom.prototype.onMessage = function (msg, from) {
  378. var nick =
  379. $(msg).find('>nick[xmlns="http://jabber.org/protocol/nick"]')
  380. .text() ||
  381. Strophe.getResourceFromJid(from);
  382. var txt = $(msg).find('>body').text();
  383. var type = msg.getAttribute("type");
  384. if (type == "error") {
  385. this.eventEmitter.emit(XMPPEvents.CHAT_ERROR_RECEIVED,
  386. $(msg).find('>text').text(), txt);
  387. return true;
  388. }
  389. var subject = $(msg).find('>subject');
  390. if (subject.length) {
  391. var subjectText = subject.text();
  392. if (subjectText || subjectText === "") {
  393. this.eventEmitter.emit(XMPPEvents.SUBJECT_CHANGED, subjectText);
  394. logger.log("Subject is changed to " + subjectText);
  395. }
  396. }
  397. // xep-0203 delay
  398. var stamp = $(msg).find('>delay').attr('stamp');
  399. if (!stamp) {
  400. // or xep-0091 delay, UTC timestamp
  401. stamp = $(msg).find('>[xmlns="jabber:x:delay"]').attr('stamp');
  402. if (stamp) {
  403. // the format is CCYYMMDDThh:mm:ss
  404. var dateParts = stamp.match(/(\d{4})(\d{2})(\d{2}T\d{2}:\d{2}:\d{2})/);
  405. stamp = dateParts[1] + "-" + dateParts[2] + "-" + dateParts[3] + "Z";
  406. }
  407. }
  408. if (txt) {
  409. logger.log('chat', nick, txt);
  410. this.eventEmitter.emit(XMPPEvents.MESSAGE_RECEIVED,
  411. from, nick, txt, this.myroomjid, stamp);
  412. }
  413. };
  414. ChatRoom.prototype.onPresenceError = function (pres, from) {
  415. if ($(pres).find('>error[type="auth"]>not-authorized[xmlns="urn:ietf:params:xml:ns:xmpp-stanzas"]').length) {
  416. logger.log('on password required', from);
  417. this.eventEmitter.emit(XMPPEvents.PASSWORD_REQUIRED);
  418. } else if ($(pres).find(
  419. '>error[type="cancel"]>not-allowed[xmlns="urn:ietf:params:xml:ns:xmpp-stanzas"]').length) {
  420. var toDomain = Strophe.getDomainFromJid(pres.getAttribute('to'));
  421. if (toDomain === this.xmpp.options.hosts.anonymousdomain) {
  422. // enter the room by replying with 'not-authorized'. This would
  423. // result in reconnection from authorized domain.
  424. // We're either missing Jicofo/Prosody config for anonymous
  425. // domains or something is wrong.
  426. this.eventEmitter.emit(XMPPEvents.ROOM_JOIN_ERROR, pres);
  427. } else {
  428. logger.warn('onPresError ', pres);
  429. this.eventEmitter.emit(XMPPEvents.ROOM_CONNECT_ERROR, pres);
  430. }
  431. } else if($(pres).find('>error>service-unavailable').length) {
  432. logger.warn('Maximum users limit for the room has been reached',
  433. pres);
  434. this.eventEmitter.emit(XMPPEvents.ROOM_MAX_USERS_ERROR, pres);
  435. } else {
  436. logger.warn('onPresError ', pres);
  437. this.eventEmitter.emit(XMPPEvents.ROOM_CONNECT_ERROR, pres);
  438. }
  439. };
  440. ChatRoom.prototype.kick = function (jid) {
  441. var kickIQ = $iq({to: this.roomjid, type: 'set'})
  442. .c('query', {xmlns: 'http://jabber.org/protocol/muc#admin'})
  443. .c('item', {nick: Strophe.getResourceFromJid(jid), role: 'none'})
  444. .c('reason').t('You have been kicked.').up().up().up();
  445. this.connection.sendIQ(
  446. kickIQ,
  447. function (result) {
  448. logger.log('Kick participant with jid: ', jid, result);
  449. },
  450. function (error) {
  451. logger.log('Kick participant error: ', error);
  452. });
  453. };
  454. ChatRoom.prototype.lockRoom = function (key, onSuccess, onError, onNotSupported) {
  455. //http://xmpp.org/extensions/xep-0045.html#roomconfig
  456. var ob = this;
  457. this.connection.sendIQ($iq({to: this.roomjid, type: 'get'}).c('query', {xmlns: 'http://jabber.org/protocol/muc#owner'}),
  458. function (res) {
  459. if ($(res).find('>query>x[xmlns="jabber:x:data"]>field[var="muc#roomconfig_roomsecret"]').length) {
  460. var formsubmit = $iq({to: ob.roomjid, type: 'set'}).c('query', {xmlns: 'http://jabber.org/protocol/muc#owner'});
  461. formsubmit.c('x', {xmlns: 'jabber:x:data', type: 'submit'});
  462. formsubmit.c('field', {'var': 'FORM_TYPE'}).c('value').t('http://jabber.org/protocol/muc#roomconfig').up().up();
  463. formsubmit.c('field', {'var': 'muc#roomconfig_roomsecret'}).c('value').t(key).up().up();
  464. // Fixes a bug in prosody 0.9.+ https://code.google.com/p/lxmppd/issues/detail?id=373
  465. formsubmit.c('field', {'var': 'muc#roomconfig_whois'}).c('value').t('anyone').up().up();
  466. // FIXME: is muc#roomconfig_passwordprotectedroom required?
  467. ob.connection.sendIQ(formsubmit,
  468. onSuccess,
  469. onError);
  470. } else {
  471. onNotSupported();
  472. }
  473. }, onError);
  474. };
  475. ChatRoom.prototype.addToPresence = function (key, values) {
  476. values.tagName = key;
  477. this.presMap["nodes"].push(values);
  478. };
  479. ChatRoom.prototype.removeFromPresence = function (key) {
  480. for(var i = 0; i < this.presMap.nodes.length; i++)
  481. {
  482. if(key === this.presMap.nodes[i].tagName)
  483. this.presMap.nodes.splice(i, 1);
  484. }
  485. };
  486. ChatRoom.prototype.addPresenceListener = function (name, handler) {
  487. this.presHandlers[name] = handler;
  488. };
  489. ChatRoom.prototype.removePresenceListener = function (name) {
  490. delete this.presHandlers[name];
  491. };
  492. /**
  493. * Checks if the user identified by given <tt>mucJid</tt> is the conference
  494. * focus.
  495. * @param mucJid the full MUC address of the user to be checked.
  496. * @returns {boolean} <tt>true</tt> if MUC user is the conference focus.
  497. */
  498. ChatRoom.prototype.isFocus = function (mucJid) {
  499. var member = this.members[mucJid];
  500. if (member) {
  501. return member.isFocus;
  502. } else {
  503. return null;
  504. }
  505. };
  506. ChatRoom.prototype.isModerator = function () {
  507. return this.role === 'moderator';
  508. };
  509. ChatRoom.prototype.getMemberRole = function (peerJid) {
  510. if (this.members[peerJid]) {
  511. return this.members[peerJid].role;
  512. }
  513. return null;
  514. };
  515. ChatRoom.prototype.setJingleSession = function(session){
  516. this.session = session;
  517. };
  518. ChatRoom.prototype.removeStream = function (stream, callback, ssrcInfo) {
  519. if(!this.session) {
  520. callback();
  521. return;
  522. }
  523. this.session.removeStream(stream, callback, ssrcInfo);
  524. };
  525. /**
  526. * Adds stream.
  527. * @param stream new stream that will be added.
  528. * @param callback callback executed after successful stream addition.
  529. * @param ssrcInfo object with information about the SSRCs associated with the
  530. * stream.
  531. * @param dontModifySources {boolean} if true _modifySources won't be called.
  532. * Used for streams added before the call start.
  533. */
  534. ChatRoom.prototype.addStream = function (stream, callback, ssrcInfo,
  535. dontModifySources) {
  536. if(this.session) {
  537. // FIXME: will block switchInProgress on true value in case of exception
  538. this.session.addStream(stream, callback, ssrcInfo, dontModifySources);
  539. } else {
  540. // We are done immediately
  541. logger.warn("No conference handler or conference not started yet");
  542. callback();
  543. }
  544. };
  545. /**
  546. * Generate ssrc info object for a stream with the following properties:
  547. * - ssrcs - Array of the ssrcs associated with the stream.
  548. * - groups - Array of the groups associated with the stream.
  549. */
  550. ChatRoom.prototype.generateNewStreamSSRCInfo = function () {
  551. if(!this.session) {
  552. logger.warn("The call haven't been started. " +
  553. "Cannot generate ssrc info at the moment!");
  554. return null;
  555. }
  556. return this.session.generateNewStreamSSRCInfo();
  557. };
  558. ChatRoom.prototype.setVideoMute = function (mute, callback, options) {
  559. var self = this;
  560. this.sendVideoInfoPresence(mute);
  561. if(callback)
  562. callback(mute);
  563. };
  564. ChatRoom.prototype.setAudioMute = function (mute, callback) {
  565. return this.sendAudioInfoPresence(mute, callback);
  566. };
  567. ChatRoom.prototype.addAudioInfoToPresence = function (mute) {
  568. this.removeFromPresence("audiomuted");
  569. this.addToPresence("audiomuted",
  570. {attributes:
  571. {"audions": "http://jitsi.org/jitmeet/audio"},
  572. value: mute.toString()});
  573. };
  574. ChatRoom.prototype.sendAudioInfoPresence = function(mute, callback) {
  575. this.addAudioInfoToPresence(mute);
  576. if(this.connection) {
  577. this.sendPresence();
  578. }
  579. if(callback)
  580. callback();
  581. };
  582. ChatRoom.prototype.addVideoInfoToPresence = function (mute) {
  583. this.removeFromPresence("videomuted");
  584. this.addToPresence("videomuted",
  585. {attributes:
  586. {"videons": "http://jitsi.org/jitmeet/video"},
  587. value: mute.toString()});
  588. };
  589. ChatRoom.prototype.sendVideoInfoPresence = function (mute) {
  590. this.addVideoInfoToPresence(mute);
  591. if(!this.connection)
  592. return;
  593. this.sendPresence();
  594. };
  595. ChatRoom.prototype.addListener = function(type, listener) {
  596. this.eventEmitter.on(type, listener);
  597. };
  598. ChatRoom.prototype.removeListener = function (type, listener) {
  599. this.eventEmitter.removeListener(type, listener);
  600. };
  601. ChatRoom.prototype.remoteStreamAdded = function(data, sid, thessrc) {
  602. if(this.lastPresences[data.peerjid])
  603. {
  604. var pres = this.lastPresences[data.peerjid];
  605. var audiomuted = filterNodeFromPresenceJSON(pres, "audiomuted");
  606. var videomuted = filterNodeFromPresenceJSON(pres, "videomuted");
  607. data.videomuted = ((videomuted.length > 0
  608. && videomuted[0]
  609. && videomuted[0]["value"] === "true")? true : false);
  610. data.audiomuted = ((audiomuted.length > 0
  611. && audiomuted[0]
  612. && audiomuted[0]["value"] === "true")? true : false);
  613. }
  614. this.eventEmitter.emit(XMPPEvents.REMOTE_STREAM_RECEIVED, data, sid, thessrc);
  615. };
  616. /**
  617. * Returns true if the recording is supproted and false if not.
  618. */
  619. ChatRoom.prototype.isRecordingSupported = function () {
  620. if(this.recording)
  621. return this.recording.isSupported();
  622. return false;
  623. };
  624. /**
  625. * Returns null if the recording is not supported, "on" if the recording started
  626. * and "off" if the recording is not started.
  627. */
  628. ChatRoom.prototype.getRecordingState = function () {
  629. if(this.recording)
  630. return this.recording.getState();
  631. return "off";
  632. }
  633. /**
  634. * Returns the url of the recorded video.
  635. */
  636. ChatRoom.prototype.getRecordingURL = function () {
  637. if(this.recording)
  638. return this.recording.getURL();
  639. return null;
  640. }
  641. /**
  642. * Starts/stops the recording
  643. * @param token token for authentication
  644. * @param statusChangeHandler {function} receives the new status as argument.
  645. */
  646. ChatRoom.prototype.toggleRecording = function (options, statusChangeHandler) {
  647. if(this.recording)
  648. return this.recording.toggleRecording(options, statusChangeHandler);
  649. return statusChangeHandler("error",
  650. new Error("The conference is not created yet!"));
  651. }
  652. /**
  653. * Returns true if the SIP calls are supported and false otherwise
  654. */
  655. ChatRoom.prototype.isSIPCallingSupported = function () {
  656. if(this.moderator)
  657. return this.moderator.isSipGatewayEnabled();
  658. return false;
  659. }
  660. /**
  661. * Dials a number.
  662. * @param number the number
  663. */
  664. ChatRoom.prototype.dial = function (number) {
  665. return this.connection.rayo.dial(number, "fromnumber",
  666. Strophe.getNodeFromJid(this.myroomjid), this.password,
  667. this.focusMucJid);
  668. }
  669. /**
  670. * Hangup an existing call
  671. */
  672. ChatRoom.prototype.hangup = function () {
  673. return this.connection.rayo.hangup();
  674. }
  675. /**
  676. * Returns the phone number for joining the conference.
  677. */
  678. ChatRoom.prototype.getPhoneNumber = function () {
  679. return this.phoneNumber;
  680. }
  681. /**
  682. * Returns the pin for joining the conference with phone.
  683. */
  684. ChatRoom.prototype.getPhonePin = function () {
  685. return this.phonePin;
  686. }
  687. /**
  688. * Returns the connection state for the current session.
  689. */
  690. ChatRoom.prototype.getConnectionState = function () {
  691. if(!this.session)
  692. return null;
  693. return this.session.getIceConnectionState();
  694. }
  695. /**
  696. * Mutes remote participant.
  697. * @param jid of the participant
  698. * @param mute
  699. */
  700. ChatRoom.prototype.muteParticipant = function (jid, mute) {
  701. logger.info("set mute", mute);
  702. var iqToFocus = $iq(
  703. {to: this.focusMucJid, type: 'set'})
  704. .c('mute', {
  705. xmlns: 'http://jitsi.org/jitmeet/audio',
  706. jid: jid
  707. })
  708. .t(mute.toString())
  709. .up();
  710. this.connection.sendIQ(
  711. iqToFocus,
  712. function (result) {
  713. logger.log('set mute', result);
  714. },
  715. function (error) {
  716. logger.log('set mute error', error);
  717. });
  718. }
  719. ChatRoom.prototype.onMute = function (iq) {
  720. var from = iq.getAttribute('from');
  721. if (from !== this.focusMucJid) {
  722. logger.warn("Ignored mute from non focus peer");
  723. return false;
  724. }
  725. var mute = $(iq).find('mute');
  726. if (mute.length) {
  727. var doMuteAudio = mute.text() === "true";
  728. this.eventEmitter.emit(XMPPEvents.AUDIO_MUTED_BY_FOCUS, doMuteAudio);
  729. }
  730. return true;
  731. }
  732. module.exports = ChatRoom;