PageRenderTime 51ms CodeModel.GetById 22ms RepoModel.GetById 0ms app.codeStats 0ms

/ajax/libs/web-socket-js/1.0.0/web_socket.js

https://gitlab.com/Mirros/cdnjs
JavaScript | 391 lines | 258 code | 32 blank | 101 comment | 76 complexity | 4e42a681980602a8e897cf4206d80bdf MD5 | raw file
  1. // Copyright: Hiroshi Ichikawa <http://gimite.net/en/>
  2. // License: New BSD License
  3. // Reference: http://dev.w3.org/html5/websockets/
  4. // Reference: http://tools.ietf.org/html/rfc6455
  5. (function() {
  6. if (window.WEB_SOCKET_FORCE_FLASH) {
  7. // Keeps going.
  8. } else if (window.WebSocket) {
  9. return;
  10. } else if (window.MozWebSocket) {
  11. // Firefox.
  12. window.WebSocket = MozWebSocket;
  13. return;
  14. }
  15. var logger;
  16. if (window.WEB_SOCKET_LOGGER) {
  17. logger = WEB_SOCKET_LOGGER;
  18. } else if (window.console && window.console.log && window.console.error) {
  19. // In some environment, console is defined but console.log or console.error is missing.
  20. logger = window.console;
  21. } else {
  22. logger = {log: function(){ }, error: function(){ }};
  23. }
  24. // swfobject.hasFlashPlayerVersion("10.0.0") doesn't work with Gnash.
  25. if (swfobject.getFlashPlayerVersion().major < 10) {
  26. logger.error("Flash Player >= 10.0.0 is required.");
  27. return;
  28. }
  29. if (location.protocol == "file:") {
  30. logger.error(
  31. "WARNING: web-socket-js doesn't work in file:///... URL " +
  32. "unless you set Flash Security Settings properly. " +
  33. "Open the page via Web server i.e. http://...");
  34. }
  35. /**
  36. * Our own implementation of WebSocket class using Flash.
  37. * @param {string} url
  38. * @param {array or string} protocols
  39. * @param {string} proxyHost
  40. * @param {int} proxyPort
  41. * @param {string} headers
  42. */
  43. window.WebSocket = function(url, protocols, proxyHost, proxyPort, headers) {
  44. var self = this;
  45. self.__id = WebSocket.__nextId++;
  46. WebSocket.__instances[self.__id] = self;
  47. self.readyState = WebSocket.CONNECTING;
  48. self.bufferedAmount = 0;
  49. self.__events = {};
  50. if (!protocols) {
  51. protocols = [];
  52. } else if (typeof protocols == "string") {
  53. protocols = [protocols];
  54. }
  55. // Uses setTimeout() to make sure __createFlash() runs after the caller sets ws.onopen etc.
  56. // Otherwise, when onopen fires immediately, onopen is called before it is set.
  57. self.__createTask = setTimeout(function() {
  58. WebSocket.__addTask(function() {
  59. self.__createTask = null;
  60. WebSocket.__flash.create(
  61. self.__id, url, protocols, proxyHost || null, proxyPort || 0, headers || null);
  62. });
  63. }, 0);
  64. };
  65. /**
  66. * Send data to the web socket.
  67. * @param {string} data The data to send to the socket.
  68. * @return {boolean} True for success, false for failure.
  69. */
  70. WebSocket.prototype.send = function(data) {
  71. if (this.readyState == WebSocket.CONNECTING) {
  72. throw "INVALID_STATE_ERR: Web Socket connection has not been established";
  73. }
  74. // We use encodeURIComponent() here, because FABridge doesn't work if
  75. // the argument includes some characters. We don't use escape() here
  76. // because of this:
  77. // https://developer.mozilla.org/en/Core_JavaScript_1.5_Guide/Functions#escape_and_unescape_Functions
  78. // But it looks decodeURIComponent(encodeURIComponent(s)) doesn't
  79. // preserve all Unicode characters either e.g. "\uffff" in Firefox.
  80. // Note by wtritch: Hopefully this will not be necessary using ExternalInterface. Will require
  81. // additional testing.
  82. var result = WebSocket.__flash.send(this.__id, encodeURIComponent(data));
  83. if (result < 0) { // success
  84. return true;
  85. } else {
  86. this.bufferedAmount += result;
  87. return false;
  88. }
  89. };
  90. /**
  91. * Close this web socket gracefully.
  92. */
  93. WebSocket.prototype.close = function() {
  94. if (this.__createTask) {
  95. clearTimeout(this.__createTask);
  96. this.__createTask = null;
  97. this.readyState = WebSocket.CLOSED;
  98. return;
  99. }
  100. if (this.readyState == WebSocket.CLOSED || this.readyState == WebSocket.CLOSING) {
  101. return;
  102. }
  103. this.readyState = WebSocket.CLOSING;
  104. WebSocket.__flash.close(this.__id);
  105. };
  106. /**
  107. * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
  108. *
  109. * @param {string} type
  110. * @param {function} listener
  111. * @param {boolean} useCapture
  112. * @return void
  113. */
  114. WebSocket.prototype.addEventListener = function(type, listener, useCapture) {
  115. if (!(type in this.__events)) {
  116. this.__events[type] = [];
  117. }
  118. this.__events[type].push(listener);
  119. };
  120. /**
  121. * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
  122. *
  123. * @param {string} type
  124. * @param {function} listener
  125. * @param {boolean} useCapture
  126. * @return void
  127. */
  128. WebSocket.prototype.removeEventListener = function(type, listener, useCapture) {
  129. if (!(type in this.__events)) return;
  130. var events = this.__events[type];
  131. for (var i = events.length - 1; i >= 0; --i) {
  132. if (events[i] === listener) {
  133. events.splice(i, 1);
  134. break;
  135. }
  136. }
  137. };
  138. /**
  139. * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
  140. *
  141. * @param {Event} event
  142. * @return void
  143. */
  144. WebSocket.prototype.dispatchEvent = function(event) {
  145. var events = this.__events[event.type] || [];
  146. for (var i = 0; i < events.length; ++i) {
  147. events[i](event);
  148. }
  149. var handler = this["on" + event.type];
  150. if (handler) handler.apply(this, [event]);
  151. };
  152. /**
  153. * Handles an event from Flash.
  154. * @param {Object} flashEvent
  155. */
  156. WebSocket.prototype.__handleEvent = function(flashEvent) {
  157. if ("readyState" in flashEvent) {
  158. this.readyState = flashEvent.readyState;
  159. }
  160. if ("protocol" in flashEvent) {
  161. this.protocol = flashEvent.protocol;
  162. }
  163. var jsEvent;
  164. if (flashEvent.type == "open" || flashEvent.type == "error") {
  165. jsEvent = this.__createSimpleEvent(flashEvent.type);
  166. } else if (flashEvent.type == "close") {
  167. jsEvent = this.__createSimpleEvent("close");
  168. jsEvent.wasClean = flashEvent.wasClean ? true : false;
  169. jsEvent.code = flashEvent.code;
  170. jsEvent.reason = flashEvent.reason;
  171. } else if (flashEvent.type == "message") {
  172. var data = decodeURIComponent(flashEvent.message);
  173. jsEvent = this.__createMessageEvent("message", data);
  174. } else {
  175. throw "unknown event type: " + flashEvent.type;
  176. }
  177. this.dispatchEvent(jsEvent);
  178. };
  179. WebSocket.prototype.__createSimpleEvent = function(type) {
  180. if (document.createEvent && window.Event) {
  181. var event = document.createEvent("Event");
  182. event.initEvent(type, false, false);
  183. return event;
  184. } else {
  185. return {type: type, bubbles: false, cancelable: false};
  186. }
  187. };
  188. WebSocket.prototype.__createMessageEvent = function(type, data) {
  189. if (document.createEvent && window.MessageEvent && !window.opera) {
  190. var event = document.createEvent("MessageEvent");
  191. event.initMessageEvent("message", false, false, data, null, null, window, null);
  192. return event;
  193. } else {
  194. // IE and Opera, the latter one truncates the data parameter after any 0x00 bytes.
  195. return {type: type, data: data, bubbles: false, cancelable: false};
  196. }
  197. };
  198. /**
  199. * Define the WebSocket readyState enumeration.
  200. */
  201. WebSocket.CONNECTING = 0;
  202. WebSocket.OPEN = 1;
  203. WebSocket.CLOSING = 2;
  204. WebSocket.CLOSED = 3;
  205. // Field to check implementation of WebSocket.
  206. WebSocket.__isFlashImplementation = true;
  207. WebSocket.__initialized = false;
  208. WebSocket.__flash = null;
  209. WebSocket.__instances = {};
  210. WebSocket.__tasks = [];
  211. WebSocket.__nextId = 0;
  212. /**
  213. * Load a new flash security policy file.
  214. * @param {string} url
  215. */
  216. WebSocket.loadFlashPolicyFile = function(url){
  217. WebSocket.__addTask(function() {
  218. WebSocket.__flash.loadManualPolicyFile(url);
  219. });
  220. };
  221. /**
  222. * Loads WebSocketMain.swf and creates WebSocketMain object in Flash.
  223. */
  224. WebSocket.__initialize = function() {
  225. if (WebSocket.__initialized) return;
  226. WebSocket.__initialized = true;
  227. if (WebSocket.__swfLocation) {
  228. // For backword compatibility.
  229. window.WEB_SOCKET_SWF_LOCATION = WebSocket.__swfLocation;
  230. }
  231. if (!window.WEB_SOCKET_SWF_LOCATION) {
  232. logger.error("[WebSocket] set WEB_SOCKET_SWF_LOCATION to location of WebSocketMain.swf");
  233. return;
  234. }
  235. if (!window.WEB_SOCKET_SUPPRESS_CROSS_DOMAIN_SWF_ERROR &&
  236. !WEB_SOCKET_SWF_LOCATION.match(/(^|\/)WebSocketMainInsecure\.swf(\?.*)?$/) &&
  237. WEB_SOCKET_SWF_LOCATION.match(/^\w+:\/\/([^\/]+)/)) {
  238. var swfHost = RegExp.$1;
  239. if (location.host != swfHost) {
  240. logger.error(
  241. "[WebSocket] You must host HTML and WebSocketMain.swf in the same host " +
  242. "('" + location.host + "' != '" + swfHost + "'). " +
  243. "See also 'How to host HTML file and SWF file in different domains' section " +
  244. "in README.md. If you use WebSocketMainInsecure.swf, you can suppress this message " +
  245. "by WEB_SOCKET_SUPPRESS_CROSS_DOMAIN_SWF_ERROR = true;");
  246. }
  247. }
  248. var container = document.createElement("div");
  249. container.id = "webSocketContainer";
  250. // Hides Flash box. We cannot use display: none or visibility: hidden because it prevents
  251. // Flash from loading at least in IE. So we move it out of the screen at (-100, -100).
  252. // But this even doesn't work with Flash Lite (e.g. in Droid Incredible). So with Flash
  253. // Lite, we put it at (0, 0). This shows 1x1 box visible at left-top corner but this is
  254. // the best we can do as far as we know now.
  255. container.style.position = "absolute";
  256. if (WebSocket.__isFlashLite()) {
  257. container.style.left = "0px";
  258. container.style.top = "0px";
  259. } else {
  260. container.style.left = "-100px";
  261. container.style.top = "-100px";
  262. }
  263. var holder = document.createElement("div");
  264. holder.id = "webSocketFlash";
  265. container.appendChild(holder);
  266. document.body.appendChild(container);
  267. // See this article for hasPriority:
  268. // http://help.adobe.com/en_US/as3/mobile/WS4bebcd66a74275c36cfb8137124318eebc6-7ffd.html
  269. swfobject.embedSWF(
  270. WEB_SOCKET_SWF_LOCATION,
  271. "webSocketFlash",
  272. "1" /* width */,
  273. "1" /* height */,
  274. "10.0.0" /* SWF version */,
  275. null,
  276. null,
  277. {hasPriority: true, swliveconnect : true, allowScriptAccess: "always"},
  278. null,
  279. function(e) {
  280. if (!e.success) {
  281. logger.error("[WebSocket] swfobject.embedSWF failed");
  282. }
  283. }
  284. );
  285. };
  286. /**
  287. * Called by Flash to notify JS that it's fully loaded and ready
  288. * for communication.
  289. */
  290. WebSocket.__onFlashInitialized = function() {
  291. // We need to set a timeout here to avoid round-trip calls
  292. // to flash during the initialization process.
  293. setTimeout(function() {
  294. WebSocket.__flash = document.getElementById("webSocketFlash");
  295. WebSocket.__flash.setCallerUrl(location.href);
  296. WebSocket.__flash.setDebug(!!window.WEB_SOCKET_DEBUG);
  297. for (var i = 0; i < WebSocket.__tasks.length; ++i) {
  298. WebSocket.__tasks[i]();
  299. }
  300. WebSocket.__tasks = [];
  301. }, 0);
  302. };
  303. /**
  304. * Called by Flash to notify WebSockets events are fired.
  305. */
  306. WebSocket.__onFlashEvent = function() {
  307. setTimeout(function() {
  308. try {
  309. // Gets events using receiveEvents() instead of getting it from event object
  310. // of Flash event. This is to make sure to keep message order.
  311. // It seems sometimes Flash events don't arrive in the same order as they are sent.
  312. var events = WebSocket.__flash.receiveEvents();
  313. for (var i = 0; i < events.length; ++i) {
  314. WebSocket.__instances[events[i].webSocketId].__handleEvent(events[i]);
  315. }
  316. } catch (e) {
  317. logger.error(e);
  318. }
  319. }, 0);
  320. return true;
  321. };
  322. // Called by Flash.
  323. WebSocket.__log = function(message) {
  324. logger.log(decodeURIComponent(message));
  325. };
  326. // Called by Flash.
  327. WebSocket.__error = function(message) {
  328. logger.error(decodeURIComponent(message));
  329. };
  330. WebSocket.__addTask = function(task) {
  331. if (WebSocket.__flash) {
  332. task();
  333. } else {
  334. WebSocket.__tasks.push(task);
  335. }
  336. };
  337. /**
  338. * Test if the browser is running flash lite.
  339. * @return {boolean} True if flash lite is running, false otherwise.
  340. */
  341. WebSocket.__isFlashLite = function() {
  342. if (!window.navigator || !window.navigator.mimeTypes) {
  343. return false;
  344. }
  345. var mimeType = window.navigator.mimeTypes["application/x-shockwave-flash"];
  346. if (!mimeType || !mimeType.enabledPlugin || !mimeType.enabledPlugin.filename) {
  347. return false;
  348. }
  349. return mimeType.enabledPlugin.filename.match(/flashlite/i) ? true : false;
  350. };
  351. if (!window.WEB_SOCKET_DISABLE_AUTO_INITIALIZATION) {
  352. // NOTE:
  353. // This fires immediately if web_socket.js is dynamically loaded after
  354. // the document is loaded.
  355. swfobject.addDomLoadEvent(function() {
  356. WebSocket.__initialize();
  357. });
  358. }
  359. })();