PageRenderTime 57ms CodeModel.GetById 19ms RepoModel.GetById 0ms app.codeStats 0ms

/files/zeroclipboard/2.2.0/ZeroClipboard.js

https://gitlab.com/Mirros/jsdelivr
JavaScript | 1480 lines | 1112 code | 13 blank | 355 comment | 419 complexity | d315996f36347292261ce167a6831b15 MD5 | raw file
  1. /*!
  2. * ZeroClipboard
  3. * The ZeroClipboard library provides an easy way to copy text to the clipboard using an invisible Adobe Flash movie and a JavaScript interface.
  4. * Copyright (c) 2009-2014 Jon Rohan, James M. Greene
  5. * Licensed MIT
  6. * http://zeroclipboard.org/
  7. * v2.2.0
  8. */
  9. (function(window, undefined) {
  10. "use strict";
  11. /**
  12. * Store references to critically important global functions that may be
  13. * overridden on certain web pages.
  14. */
  15. var _window = window, _document = _window.document, _navigator = _window.navigator, _setTimeout = _window.setTimeout, _clearTimeout = _window.clearTimeout, _setInterval = _window.setInterval, _clearInterval = _window.clearInterval, _getComputedStyle = _window.getComputedStyle, _encodeURIComponent = _window.encodeURIComponent, _ActiveXObject = _window.ActiveXObject, _Error = _window.Error, _parseInt = _window.Number.parseInt || _window.parseInt, _parseFloat = _window.Number.parseFloat || _window.parseFloat, _isNaN = _window.Number.isNaN || _window.isNaN, _now = _window.Date.now, _keys = _window.Object.keys, _defineProperty = _window.Object.defineProperty, _hasOwn = _window.Object.prototype.hasOwnProperty, _slice = _window.Array.prototype.slice, _unwrap = function() {
  16. var unwrapper = function(el) {
  17. return el;
  18. };
  19. if (typeof _window.wrap === "function" && typeof _window.unwrap === "function") {
  20. try {
  21. var div = _document.createElement("div");
  22. var unwrappedDiv = _window.unwrap(div);
  23. if (div.nodeType === 1 && unwrappedDiv && unwrappedDiv.nodeType === 1) {
  24. unwrapper = _window.unwrap;
  25. }
  26. } catch (e) {}
  27. }
  28. return unwrapper;
  29. }();
  30. /**
  31. * Convert an `arguments` object into an Array.
  32. *
  33. * @returns The arguments as an Array
  34. * @private
  35. */
  36. var _args = function(argumentsObj) {
  37. return _slice.call(argumentsObj, 0);
  38. };
  39. /**
  40. * Shallow-copy the owned, enumerable properties of one object over to another, similar to jQuery's `$.extend`.
  41. *
  42. * @returns The target object, augmented
  43. * @private
  44. */
  45. var _extend = function() {
  46. var i, len, arg, prop, src, copy, args = _args(arguments), target = args[0] || {};
  47. for (i = 1, len = args.length; i < len; i++) {
  48. if ((arg = args[i]) != null) {
  49. for (prop in arg) {
  50. if (_hasOwn.call(arg, prop)) {
  51. src = target[prop];
  52. copy = arg[prop];
  53. if (target !== copy && copy !== undefined) {
  54. target[prop] = copy;
  55. }
  56. }
  57. }
  58. }
  59. }
  60. return target;
  61. };
  62. /**
  63. * Return a deep copy of the source object or array.
  64. *
  65. * @returns Object or Array
  66. * @private
  67. */
  68. var _deepCopy = function(source) {
  69. var copy, i, len, prop;
  70. if (typeof source !== "object" || source == null || typeof source.nodeType === "number") {
  71. copy = source;
  72. } else if (typeof source.length === "number") {
  73. copy = [];
  74. for (i = 0, len = source.length; i < len; i++) {
  75. if (_hasOwn.call(source, i)) {
  76. copy[i] = _deepCopy(source[i]);
  77. }
  78. }
  79. } else {
  80. copy = {};
  81. for (prop in source) {
  82. if (_hasOwn.call(source, prop)) {
  83. copy[prop] = _deepCopy(source[prop]);
  84. }
  85. }
  86. }
  87. return copy;
  88. };
  89. /**
  90. * Makes a shallow copy of `obj` (like `_extend`) but filters its properties based on a list of `keys` to keep.
  91. * The inverse of `_omit`, mostly. The big difference is that these properties do NOT need to be enumerable to
  92. * be kept.
  93. *
  94. * @returns A new filtered object.
  95. * @private
  96. */
  97. var _pick = function(obj, keys) {
  98. var newObj = {};
  99. for (var i = 0, len = keys.length; i < len; i++) {
  100. if (keys[i] in obj) {
  101. newObj[keys[i]] = obj[keys[i]];
  102. }
  103. }
  104. return newObj;
  105. };
  106. /**
  107. * Makes a shallow copy of `obj` (like `_extend`) but filters its properties based on a list of `keys` to omit.
  108. * The inverse of `_pick`.
  109. *
  110. * @returns A new filtered object.
  111. * @private
  112. */
  113. var _omit = function(obj, keys) {
  114. var newObj = {};
  115. for (var prop in obj) {
  116. if (keys.indexOf(prop) === -1) {
  117. newObj[prop] = obj[prop];
  118. }
  119. }
  120. return newObj;
  121. };
  122. /**
  123. * Remove all owned, enumerable properties from an object.
  124. *
  125. * @returns The original object without its owned, enumerable properties.
  126. * @private
  127. */
  128. var _deleteOwnProperties = function(obj) {
  129. if (obj) {
  130. for (var prop in obj) {
  131. if (_hasOwn.call(obj, prop)) {
  132. delete obj[prop];
  133. }
  134. }
  135. }
  136. return obj;
  137. };
  138. /**
  139. * Determine if an element is contained within another element.
  140. *
  141. * @returns Boolean
  142. * @private
  143. */
  144. var _containedBy = function(el, ancestorEl) {
  145. if (el && el.nodeType === 1 && el.ownerDocument && ancestorEl && (ancestorEl.nodeType === 1 && ancestorEl.ownerDocument && ancestorEl.ownerDocument === el.ownerDocument || ancestorEl.nodeType === 9 && !ancestorEl.ownerDocument && ancestorEl === el.ownerDocument)) {
  146. do {
  147. if (el === ancestorEl) {
  148. return true;
  149. }
  150. el = el.parentNode;
  151. } while (el);
  152. }
  153. return false;
  154. };
  155. /**
  156. * Get the URL path's parent directory.
  157. *
  158. * @returns String or `undefined`
  159. * @private
  160. */
  161. var _getDirPathOfUrl = function(url) {
  162. var dir;
  163. if (typeof url === "string" && url) {
  164. dir = url.split("#")[0].split("?")[0];
  165. dir = url.slice(0, url.lastIndexOf("/") + 1);
  166. }
  167. return dir;
  168. };
  169. /**
  170. * Get the current script's URL by throwing an `Error` and analyzing it.
  171. *
  172. * @returns String or `undefined`
  173. * @private
  174. */
  175. var _getCurrentScriptUrlFromErrorStack = function(stack) {
  176. var url, matches;
  177. if (typeof stack === "string" && stack) {
  178. matches = stack.match(/^(?:|[^:@]*@|.+\)@(?=http[s]?|file)|.+?\s+(?: at |@)(?:[^:\(]+ )*[\(]?)((?:http[s]?|file):\/\/[\/]?.+?\/[^:\)]*?)(?::\d+)(?::\d+)?/);
  179. if (matches && matches[1]) {
  180. url = matches[1];
  181. } else {
  182. matches = stack.match(/\)@((?:http[s]?|file):\/\/[\/]?.+?\/[^:\)]*?)(?::\d+)(?::\d+)?/);
  183. if (matches && matches[1]) {
  184. url = matches[1];
  185. }
  186. }
  187. }
  188. return url;
  189. };
  190. /**
  191. * Get the current script's URL by throwing an `Error` and analyzing it.
  192. *
  193. * @returns String or `undefined`
  194. * @private
  195. */
  196. var _getCurrentScriptUrlFromError = function() {
  197. var url, err;
  198. try {
  199. throw new _Error();
  200. } catch (e) {
  201. err = e;
  202. }
  203. if (err) {
  204. url = err.sourceURL || err.fileName || _getCurrentScriptUrlFromErrorStack(err.stack);
  205. }
  206. return url;
  207. };
  208. /**
  209. * Get the current script's URL.
  210. *
  211. * @returns String or `undefined`
  212. * @private
  213. */
  214. var _getCurrentScriptUrl = function() {
  215. var jsPath, scripts, i;
  216. if (_document.currentScript && (jsPath = _document.currentScript.src)) {
  217. return jsPath;
  218. }
  219. scripts = _document.getElementsByTagName("script");
  220. if (scripts.length === 1) {
  221. return scripts[0].src || undefined;
  222. }
  223. if ("readyState" in scripts[0]) {
  224. for (i = scripts.length; i--; ) {
  225. if (scripts[i].readyState === "interactive" && (jsPath = scripts[i].src)) {
  226. return jsPath;
  227. }
  228. }
  229. }
  230. if (_document.readyState === "loading" && (jsPath = scripts[scripts.length - 1].src)) {
  231. return jsPath;
  232. }
  233. if (jsPath = _getCurrentScriptUrlFromError()) {
  234. return jsPath;
  235. }
  236. return undefined;
  237. };
  238. /**
  239. * Get the unanimous parent directory of ALL script tags.
  240. * If any script tags are either (a) inline or (b) from differing parent
  241. * directories, this method must return `undefined`.
  242. *
  243. * @returns String or `undefined`
  244. * @private
  245. */
  246. var _getUnanimousScriptParentDir = function() {
  247. var i, jsDir, jsPath, scripts = _document.getElementsByTagName("script");
  248. for (i = scripts.length; i--; ) {
  249. if (!(jsPath = scripts[i].src)) {
  250. jsDir = null;
  251. break;
  252. }
  253. jsPath = _getDirPathOfUrl(jsPath);
  254. if (jsDir == null) {
  255. jsDir = jsPath;
  256. } else if (jsDir !== jsPath) {
  257. jsDir = null;
  258. break;
  259. }
  260. }
  261. return jsDir || undefined;
  262. };
  263. /**
  264. * Get the presumed location of the "ZeroClipboard.swf" file, based on the location
  265. * of the executing JavaScript file (e.g. "ZeroClipboard.js", etc.).
  266. *
  267. * @returns String
  268. * @private
  269. */
  270. var _getDefaultSwfPath = function() {
  271. var jsDir = _getDirPathOfUrl(_getCurrentScriptUrl()) || _getUnanimousScriptParentDir() || "";
  272. return jsDir + "ZeroClipboard.swf";
  273. };
  274. /**
  275. * Keep track of if the page is framed (in an `iframe`). This can never change.
  276. * @private
  277. */
  278. var _pageIsFramed = function() {
  279. return window.opener == null && (!!window.top && window != window.top || !!window.parent && window != window.parent);
  280. }();
  281. /**
  282. * Keep track of the state of the Flash object.
  283. * @private
  284. */
  285. var _flashState = {
  286. bridge: null,
  287. version: "0.0.0",
  288. pluginType: "unknown",
  289. disabled: null,
  290. outdated: null,
  291. sandboxed: null,
  292. unavailable: null,
  293. degraded: null,
  294. deactivated: null,
  295. overdue: null,
  296. ready: null
  297. };
  298. /**
  299. * The minimum Flash Player version required to use ZeroClipboard completely.
  300. * @readonly
  301. * @private
  302. */
  303. var _minimumFlashVersion = "11.0.0";
  304. /**
  305. * The ZeroClipboard library version number, as reported by Flash, at the time the SWF was compiled.
  306. */
  307. var _zcSwfVersion;
  308. /**
  309. * Keep track of all event listener registrations.
  310. * @private
  311. */
  312. var _handlers = {};
  313. /**
  314. * Keep track of the currently activated element.
  315. * @private
  316. */
  317. var _currentElement;
  318. /**
  319. * Keep track of the element that was activated when a `copy` process started.
  320. * @private
  321. */
  322. var _copyTarget;
  323. /**
  324. * Keep track of data for the pending clipboard transaction.
  325. * @private
  326. */
  327. var _clipData = {};
  328. /**
  329. * Keep track of data formats for the pending clipboard transaction.
  330. * @private
  331. */
  332. var _clipDataFormatMap = null;
  333. /**
  334. * Keep track of the Flash availability check timeout.
  335. * @private
  336. */
  337. var _flashCheckTimeout = 0;
  338. /**
  339. * Keep track of SWF network errors interval polling.
  340. * @private
  341. */
  342. var _swfFallbackCheckInterval = 0;
  343. /**
  344. * The `message` store for events
  345. * @private
  346. */
  347. var _eventMessages = {
  348. ready: "Flash communication is established",
  349. error: {
  350. "flash-disabled": "Flash is disabled or not installed. May also be attempting to run Flash in a sandboxed iframe, which is impossible.",
  351. "flash-outdated": "Flash is too outdated to support ZeroClipboard",
  352. "flash-sandboxed": "Attempting to run Flash in a sandboxed iframe, which is impossible",
  353. "flash-unavailable": "Flash is unable to communicate bidirectionally with JavaScript",
  354. "flash-degraded": "Flash is unable to preserve data fidelity when communicating with JavaScript",
  355. "flash-deactivated": "Flash is too outdated for your browser and/or is configured as click-to-activate.\nThis may also mean that the ZeroClipboard SWF object could not be loaded, so please check your `swfPath` configuration and/or network connectivity.\nMay also be attempting to run Flash in a sandboxed iframe, which is impossible.",
  356. "flash-overdue": "Flash communication was established but NOT within the acceptable time limit",
  357. "version-mismatch": "ZeroClipboard JS version number does not match ZeroClipboard SWF version number",
  358. "clipboard-error": "At least one error was thrown while ZeroClipboard was attempting to inject your data into the clipboard",
  359. "config-mismatch": "ZeroClipboard configuration does not match Flash's reality",
  360. "swf-not-found": "The ZeroClipboard SWF object could not be loaded, so please check your `swfPath` configuration and/or network connectivity"
  361. }
  362. };
  363. /**
  364. * The `name`s of `error` events that can only occur is Flash has at least
  365. * been able to load the SWF successfully.
  366. * @private
  367. */
  368. var _errorsThatOnlyOccurAfterFlashLoads = [ "flash-unavailable", "flash-degraded", "flash-overdue", "version-mismatch", "config-mismatch", "clipboard-error" ];
  369. /**
  370. * The `name`s of `error` events that should likely result in the `_flashState`
  371. * variable's property values being updated.
  372. * @private
  373. */
  374. var _flashStateErrorNames = [ "flash-disabled", "flash-outdated", "flash-sandboxed", "flash-unavailable", "flash-degraded", "flash-deactivated", "flash-overdue" ];
  375. /**
  376. * A RegExp to match the `name` property of `error` events related to Flash.
  377. * @private
  378. */
  379. var _flashStateErrorNameMatchingRegex = new RegExp("^flash-(" + _flashStateErrorNames.map(function(errorName) {
  380. return errorName.replace(/^flash-/, "");
  381. }).join("|") + ")$");
  382. /**
  383. * A RegExp to match the `name` property of `error` events related to Flash,
  384. * which is enabled.
  385. * @private
  386. */
  387. var _flashStateEnabledErrorNameMatchingRegex = new RegExp("^flash-(" + _flashStateErrorNames.slice(1).map(function(errorName) {
  388. return errorName.replace(/^flash-/, "");
  389. }).join("|") + ")$");
  390. /**
  391. * ZeroClipboard configuration defaults for the Core module.
  392. * @private
  393. */
  394. var _globalConfig = {
  395. swfPath: _getDefaultSwfPath(),
  396. trustedDomains: window.location.host ? [ window.location.host ] : [],
  397. cacheBust: true,
  398. forceEnhancedClipboard: false,
  399. flashLoadTimeout: 3e4,
  400. autoActivate: true,
  401. bubbleEvents: true,
  402. containerId: "global-zeroclipboard-html-bridge",
  403. containerClass: "global-zeroclipboard-container",
  404. swfObjectId: "global-zeroclipboard-flash-bridge",
  405. hoverClass: "zeroclipboard-is-hover",
  406. activeClass: "zeroclipboard-is-active",
  407. forceHandCursor: false,
  408. title: null,
  409. zIndex: 999999999
  410. };
  411. /**
  412. * The underlying implementation of `ZeroClipboard.config`.
  413. * @private
  414. */
  415. var _config = function(options) {
  416. if (typeof options === "object" && options !== null) {
  417. for (var prop in options) {
  418. if (_hasOwn.call(options, prop)) {
  419. if (/^(?:forceHandCursor|title|zIndex|bubbleEvents)$/.test(prop)) {
  420. _globalConfig[prop] = options[prop];
  421. } else if (_flashState.bridge == null) {
  422. if (prop === "containerId" || prop === "swfObjectId") {
  423. if (_isValidHtml4Id(options[prop])) {
  424. _globalConfig[prop] = options[prop];
  425. } else {
  426. throw new Error("The specified `" + prop + "` value is not valid as an HTML4 Element ID");
  427. }
  428. } else {
  429. _globalConfig[prop] = options[prop];
  430. }
  431. }
  432. }
  433. }
  434. }
  435. if (typeof options === "string" && options) {
  436. if (_hasOwn.call(_globalConfig, options)) {
  437. return _globalConfig[options];
  438. }
  439. return;
  440. }
  441. return _deepCopy(_globalConfig);
  442. };
  443. /**
  444. * The underlying implementation of `ZeroClipboard.state`.
  445. * @private
  446. */
  447. var _state = function() {
  448. _detectSandbox();
  449. return {
  450. browser: _pick(_navigator, [ "userAgent", "platform", "appName" ]),
  451. flash: _omit(_flashState, [ "bridge" ]),
  452. zeroclipboard: {
  453. version: ZeroClipboard.version,
  454. config: ZeroClipboard.config()
  455. }
  456. };
  457. };
  458. /**
  459. * The underlying implementation of `ZeroClipboard.isFlashUnusable`.
  460. * @private
  461. */
  462. var _isFlashUnusable = function() {
  463. return !!(_flashState.disabled || _flashState.outdated || _flashState.sandboxed || _flashState.unavailable || _flashState.degraded || _flashState.deactivated);
  464. };
  465. /**
  466. * The underlying implementation of `ZeroClipboard.on`.
  467. * @private
  468. */
  469. var _on = function(eventType, listener) {
  470. var i, len, events, added = {};
  471. if (typeof eventType === "string" && eventType) {
  472. events = eventType.toLowerCase().split(/\s+/);
  473. } else if (typeof eventType === "object" && eventType && typeof listener === "undefined") {
  474. for (i in eventType) {
  475. if (_hasOwn.call(eventType, i) && typeof i === "string" && i && typeof eventType[i] === "function") {
  476. ZeroClipboard.on(i, eventType[i]);
  477. }
  478. }
  479. }
  480. if (events && events.length) {
  481. for (i = 0, len = events.length; i < len; i++) {
  482. eventType = events[i].replace(/^on/, "");
  483. added[eventType] = true;
  484. if (!_handlers[eventType]) {
  485. _handlers[eventType] = [];
  486. }
  487. _handlers[eventType].push(listener);
  488. }
  489. if (added.ready && _flashState.ready) {
  490. ZeroClipboard.emit({
  491. type: "ready"
  492. });
  493. }
  494. if (added.error) {
  495. for (i = 0, len = _flashStateErrorNames.length; i < len; i++) {
  496. if (_flashState[_flashStateErrorNames[i].replace(/^flash-/, "")] === true) {
  497. ZeroClipboard.emit({
  498. type: "error",
  499. name: _flashStateErrorNames[i]
  500. });
  501. break;
  502. }
  503. }
  504. if (_zcSwfVersion !== undefined && ZeroClipboard.version !== _zcSwfVersion) {
  505. ZeroClipboard.emit({
  506. type: "error",
  507. name: "version-mismatch",
  508. jsVersion: ZeroClipboard.version,
  509. swfVersion: _zcSwfVersion
  510. });
  511. }
  512. }
  513. }
  514. return ZeroClipboard;
  515. };
  516. /**
  517. * The underlying implementation of `ZeroClipboard.off`.
  518. * @private
  519. */
  520. var _off = function(eventType, listener) {
  521. var i, len, foundIndex, events, perEventHandlers;
  522. if (arguments.length === 0) {
  523. events = _keys(_handlers);
  524. } else if (typeof eventType === "string" && eventType) {
  525. events = eventType.split(/\s+/);
  526. } else if (typeof eventType === "object" && eventType && typeof listener === "undefined") {
  527. for (i in eventType) {
  528. if (_hasOwn.call(eventType, i) && typeof i === "string" && i && typeof eventType[i] === "function") {
  529. ZeroClipboard.off(i, eventType[i]);
  530. }
  531. }
  532. }
  533. if (events && events.length) {
  534. for (i = 0, len = events.length; i < len; i++) {
  535. eventType = events[i].toLowerCase().replace(/^on/, "");
  536. perEventHandlers = _handlers[eventType];
  537. if (perEventHandlers && perEventHandlers.length) {
  538. if (listener) {
  539. foundIndex = perEventHandlers.indexOf(listener);
  540. while (foundIndex !== -1) {
  541. perEventHandlers.splice(foundIndex, 1);
  542. foundIndex = perEventHandlers.indexOf(listener, foundIndex);
  543. }
  544. } else {
  545. perEventHandlers.length = 0;
  546. }
  547. }
  548. }
  549. }
  550. return ZeroClipboard;
  551. };
  552. /**
  553. * The underlying implementation of `ZeroClipboard.handlers`.
  554. * @private
  555. */
  556. var _listeners = function(eventType) {
  557. var copy;
  558. if (typeof eventType === "string" && eventType) {
  559. copy = _deepCopy(_handlers[eventType]) || null;
  560. } else {
  561. copy = _deepCopy(_handlers);
  562. }
  563. return copy;
  564. };
  565. /**
  566. * The underlying implementation of `ZeroClipboard.emit`.
  567. * @private
  568. */
  569. var _emit = function(event) {
  570. var eventCopy, returnVal, tmp;
  571. event = _createEvent(event);
  572. if (!event) {
  573. return;
  574. }
  575. if (_preprocessEvent(event)) {
  576. return;
  577. }
  578. if (event.type === "ready" && _flashState.overdue === true) {
  579. return ZeroClipboard.emit({
  580. type: "error",
  581. name: "flash-overdue"
  582. });
  583. }
  584. eventCopy = _extend({}, event);
  585. _dispatchCallbacks.call(this, eventCopy);
  586. if (event.type === "copy") {
  587. tmp = _mapClipDataToFlash(_clipData);
  588. returnVal = tmp.data;
  589. _clipDataFormatMap = tmp.formatMap;
  590. }
  591. return returnVal;
  592. };
  593. /**
  594. * The underlying implementation of `ZeroClipboard.create`.
  595. * @private
  596. */
  597. var _create = function() {
  598. var previousState = _flashState.sandboxed;
  599. _detectSandbox();
  600. if (typeof _flashState.ready !== "boolean") {
  601. _flashState.ready = false;
  602. }
  603. if (_flashState.sandboxed !== previousState && _flashState.sandboxed === true) {
  604. _flashState.ready = false;
  605. ZeroClipboard.emit({
  606. type: "error",
  607. name: "flash-sandboxed"
  608. });
  609. } else if (!ZeroClipboard.isFlashUnusable() && _flashState.bridge === null) {
  610. var maxWait = _globalConfig.flashLoadTimeout;
  611. if (typeof maxWait === "number" && maxWait >= 0) {
  612. _flashCheckTimeout = _setTimeout(function() {
  613. if (typeof _flashState.deactivated !== "boolean") {
  614. _flashState.deactivated = true;
  615. }
  616. if (_flashState.deactivated === true) {
  617. ZeroClipboard.emit({
  618. type: "error",
  619. name: "flash-deactivated"
  620. });
  621. }
  622. }, maxWait);
  623. }
  624. _flashState.overdue = false;
  625. _embedSwf();
  626. }
  627. };
  628. /**
  629. * The underlying implementation of `ZeroClipboard.destroy`.
  630. * @private
  631. */
  632. var _destroy = function() {
  633. ZeroClipboard.clearData();
  634. ZeroClipboard.blur();
  635. ZeroClipboard.emit("destroy");
  636. _unembedSwf();
  637. ZeroClipboard.off();
  638. };
  639. /**
  640. * The underlying implementation of `ZeroClipboard.setData`.
  641. * @private
  642. */
  643. var _setData = function(format, data) {
  644. var dataObj;
  645. if (typeof format === "object" && format && typeof data === "undefined") {
  646. dataObj = format;
  647. ZeroClipboard.clearData();
  648. } else if (typeof format === "string" && format) {
  649. dataObj = {};
  650. dataObj[format] = data;
  651. } else {
  652. return;
  653. }
  654. for (var dataFormat in dataObj) {
  655. if (typeof dataFormat === "string" && dataFormat && _hasOwn.call(dataObj, dataFormat) && typeof dataObj[dataFormat] === "string" && dataObj[dataFormat]) {
  656. _clipData[dataFormat] = dataObj[dataFormat];
  657. }
  658. }
  659. };
  660. /**
  661. * The underlying implementation of `ZeroClipboard.clearData`.
  662. * @private
  663. */
  664. var _clearData = function(format) {
  665. if (typeof format === "undefined") {
  666. _deleteOwnProperties(_clipData);
  667. _clipDataFormatMap = null;
  668. } else if (typeof format === "string" && _hasOwn.call(_clipData, format)) {
  669. delete _clipData[format];
  670. }
  671. };
  672. /**
  673. * The underlying implementation of `ZeroClipboard.getData`.
  674. * @private
  675. */
  676. var _getData = function(format) {
  677. if (typeof format === "undefined") {
  678. return _deepCopy(_clipData);
  679. } else if (typeof format === "string" && _hasOwn.call(_clipData, format)) {
  680. return _clipData[format];
  681. }
  682. };
  683. /**
  684. * The underlying implementation of `ZeroClipboard.focus`/`ZeroClipboard.activate`.
  685. * @private
  686. */
  687. var _focus = function(element) {
  688. if (!(element && element.nodeType === 1)) {
  689. return;
  690. }
  691. if (_currentElement) {
  692. _removeClass(_currentElement, _globalConfig.activeClass);
  693. if (_currentElement !== element) {
  694. _removeClass(_currentElement, _globalConfig.hoverClass);
  695. }
  696. }
  697. _currentElement = element;
  698. _addClass(element, _globalConfig.hoverClass);
  699. var newTitle = element.getAttribute("title") || _globalConfig.title;
  700. if (typeof newTitle === "string" && newTitle) {
  701. var htmlBridge = _getHtmlBridge(_flashState.bridge);
  702. if (htmlBridge) {
  703. htmlBridge.setAttribute("title", newTitle);
  704. }
  705. }
  706. var useHandCursor = _globalConfig.forceHandCursor === true || _getStyle(element, "cursor") === "pointer";
  707. _setHandCursor(useHandCursor);
  708. _reposition();
  709. };
  710. /**
  711. * The underlying implementation of `ZeroClipboard.blur`/`ZeroClipboard.deactivate`.
  712. * @private
  713. */
  714. var _blur = function() {
  715. var htmlBridge = _getHtmlBridge(_flashState.bridge);
  716. if (htmlBridge) {
  717. htmlBridge.removeAttribute("title");
  718. htmlBridge.style.left = "0px";
  719. htmlBridge.style.top = "-9999px";
  720. htmlBridge.style.width = "1px";
  721. htmlBridge.style.height = "1px";
  722. }
  723. if (_currentElement) {
  724. _removeClass(_currentElement, _globalConfig.hoverClass);
  725. _removeClass(_currentElement, _globalConfig.activeClass);
  726. _currentElement = null;
  727. }
  728. };
  729. /**
  730. * The underlying implementation of `ZeroClipboard.activeElement`.
  731. * @private
  732. */
  733. var _activeElement = function() {
  734. return _currentElement || null;
  735. };
  736. /**
  737. * Check if a value is a valid HTML4 `ID` or `Name` token.
  738. * @private
  739. */
  740. var _isValidHtml4Id = function(id) {
  741. return typeof id === "string" && id && /^[A-Za-z][A-Za-z0-9_:\-\.]*$/.test(id);
  742. };
  743. /**
  744. * Create or update an `event` object, based on the `eventType`.
  745. * @private
  746. */
  747. var _createEvent = function(event) {
  748. var eventType;
  749. if (typeof event === "string" && event) {
  750. eventType = event;
  751. event = {};
  752. } else if (typeof event === "object" && event && typeof event.type === "string" && event.type) {
  753. eventType = event.type;
  754. }
  755. if (!eventType) {
  756. return;
  757. }
  758. eventType = eventType.toLowerCase();
  759. if (!event.target && (/^(copy|aftercopy|_click)$/.test(eventType) || eventType === "error" && event.name === "clipboard-error")) {
  760. event.target = _copyTarget;
  761. }
  762. _extend(event, {
  763. type: eventType,
  764. target: event.target || _currentElement || null,
  765. relatedTarget: event.relatedTarget || null,
  766. currentTarget: _flashState && _flashState.bridge || null,
  767. timeStamp: event.timeStamp || _now() || null
  768. });
  769. var msg = _eventMessages[event.type];
  770. if (event.type === "error" && event.name && msg) {
  771. msg = msg[event.name];
  772. }
  773. if (msg) {
  774. event.message = msg;
  775. }
  776. if (event.type === "ready") {
  777. _extend(event, {
  778. target: null,
  779. version: _flashState.version
  780. });
  781. }
  782. if (event.type === "error") {
  783. if (_flashStateErrorNameMatchingRegex.test(event.name)) {
  784. _extend(event, {
  785. target: null,
  786. minimumVersion: _minimumFlashVersion
  787. });
  788. }
  789. if (_flashStateEnabledErrorNameMatchingRegex.test(event.name)) {
  790. _extend(event, {
  791. version: _flashState.version
  792. });
  793. }
  794. }
  795. if (event.type === "copy") {
  796. event.clipboardData = {
  797. setData: ZeroClipboard.setData,
  798. clearData: ZeroClipboard.clearData
  799. };
  800. }
  801. if (event.type === "aftercopy") {
  802. event = _mapClipResultsFromFlash(event, _clipDataFormatMap);
  803. }
  804. if (event.target && !event.relatedTarget) {
  805. event.relatedTarget = _getRelatedTarget(event.target);
  806. }
  807. return _addMouseData(event);
  808. };
  809. /**
  810. * Get a relatedTarget from the target's `data-clipboard-target` attribute
  811. * @private
  812. */
  813. var _getRelatedTarget = function(targetEl) {
  814. var relatedTargetId = targetEl && targetEl.getAttribute && targetEl.getAttribute("data-clipboard-target");
  815. return relatedTargetId ? _document.getElementById(relatedTargetId) : null;
  816. };
  817. /**
  818. * Add element and position data to `MouseEvent` instances
  819. * @private
  820. */
  821. var _addMouseData = function(event) {
  822. if (event && /^_(?:click|mouse(?:over|out|down|up|move))$/.test(event.type)) {
  823. var srcElement = event.target;
  824. var fromElement = event.type === "_mouseover" && event.relatedTarget ? event.relatedTarget : undefined;
  825. var toElement = event.type === "_mouseout" && event.relatedTarget ? event.relatedTarget : undefined;
  826. var pos = _getElementPosition(srcElement);
  827. var screenLeft = _window.screenLeft || _window.screenX || 0;
  828. var screenTop = _window.screenTop || _window.screenY || 0;
  829. var scrollLeft = _document.body.scrollLeft + _document.documentElement.scrollLeft;
  830. var scrollTop = _document.body.scrollTop + _document.documentElement.scrollTop;
  831. var pageX = pos.left + (typeof event._stageX === "number" ? event._stageX : 0);
  832. var pageY = pos.top + (typeof event._stageY === "number" ? event._stageY : 0);
  833. var clientX = pageX - scrollLeft;
  834. var clientY = pageY - scrollTop;
  835. var screenX = screenLeft + clientX;
  836. var screenY = screenTop + clientY;
  837. var moveX = typeof event.movementX === "number" ? event.movementX : 0;
  838. var moveY = typeof event.movementY === "number" ? event.movementY : 0;
  839. delete event._stageX;
  840. delete event._stageY;
  841. _extend(event, {
  842. srcElement: srcElement,
  843. fromElement: fromElement,
  844. toElement: toElement,
  845. screenX: screenX,
  846. screenY: screenY,
  847. pageX: pageX,
  848. pageY: pageY,
  849. clientX: clientX,
  850. clientY: clientY,
  851. x: clientX,
  852. y: clientY,
  853. movementX: moveX,
  854. movementY: moveY,
  855. offsetX: 0,
  856. offsetY: 0,
  857. layerX: 0,
  858. layerY: 0
  859. });
  860. }
  861. return event;
  862. };
  863. /**
  864. * Determine if an event's registered handlers should be execute synchronously or asynchronously.
  865. *
  866. * @returns {boolean}
  867. * @private
  868. */
  869. var _shouldPerformAsync = function(event) {
  870. var eventType = event && typeof event.type === "string" && event.type || "";
  871. return !/^(?:(?:before)?copy|destroy)$/.test(eventType);
  872. };
  873. /**
  874. * Control if a callback should be executed asynchronously or not.
  875. *
  876. * @returns `undefined`
  877. * @private
  878. */
  879. var _dispatchCallback = function(func, context, args, async) {
  880. if (async) {
  881. _setTimeout(function() {
  882. func.apply(context, args);
  883. }, 0);
  884. } else {
  885. func.apply(context, args);
  886. }
  887. };
  888. /**
  889. * Handle the actual dispatching of events to client instances.
  890. *
  891. * @returns `undefined`
  892. * @private
  893. */
  894. var _dispatchCallbacks = function(event) {
  895. if (!(typeof event === "object" && event && event.type)) {
  896. return;
  897. }
  898. var async = _shouldPerformAsync(event);
  899. var wildcardTypeHandlers = _handlers["*"] || [];
  900. var specificTypeHandlers = _handlers[event.type] || [];
  901. var handlers = wildcardTypeHandlers.concat(specificTypeHandlers);
  902. if (handlers && handlers.length) {
  903. var i, len, func, context, eventCopy, originalContext = this;
  904. for (i = 0, len = handlers.length; i < len; i++) {
  905. func = handlers[i];
  906. context = originalContext;
  907. if (typeof func === "string" && typeof _window[func] === "function") {
  908. func = _window[func];
  909. }
  910. if (typeof func === "object" && func && typeof func.handleEvent === "function") {
  911. context = func;
  912. func = func.handleEvent;
  913. }
  914. if (typeof func === "function") {
  915. eventCopy = _extend({}, event);
  916. _dispatchCallback(func, context, [ eventCopy ], async);
  917. }
  918. }
  919. }
  920. return this;
  921. };
  922. /**
  923. * Check an `error` event's `name` property to see if Flash has
  924. * already loaded, which rules out possible `iframe` sandboxing.
  925. * @private
  926. */
  927. var _getSandboxStatusFromErrorEvent = function(event) {
  928. var isSandboxed = null;
  929. if (_pageIsFramed === false || event && event.type === "error" && event.name && _errorsThatOnlyOccurAfterFlashLoads.indexOf(event.name) !== -1) {
  930. isSandboxed = false;
  931. }
  932. return isSandboxed;
  933. };
  934. /**
  935. * Preprocess any special behaviors, reactions, or state changes after receiving this event.
  936. * Executes only once per event emitted, NOT once per client.
  937. * @private
  938. */
  939. var _preprocessEvent = function(event) {
  940. var element = event.target || _currentElement || null;
  941. var sourceIsSwf = event._source === "swf";
  942. delete event._source;
  943. switch (event.type) {
  944. case "error":
  945. var isSandboxed = event.name === "flash-sandboxed" || _getSandboxStatusFromErrorEvent(event);
  946. if (typeof isSandboxed === "boolean") {
  947. _flashState.sandboxed = isSandboxed;
  948. }
  949. if (_flashStateErrorNames.indexOf(event.name) !== -1) {
  950. _extend(_flashState, {
  951. disabled: event.name === "flash-disabled",
  952. outdated: event.name === "flash-outdated",
  953. unavailable: event.name === "flash-unavailable",
  954. degraded: event.name === "flash-degraded",
  955. deactivated: event.name === "flash-deactivated",
  956. overdue: event.name === "flash-overdue",
  957. ready: false
  958. });
  959. } else if (event.name === "version-mismatch") {
  960. _zcSwfVersion = event.swfVersion;
  961. _extend(_flashState, {
  962. disabled: false,
  963. outdated: false,
  964. unavailable: false,
  965. degraded: false,
  966. deactivated: false,
  967. overdue: false,
  968. ready: false
  969. });
  970. }
  971. _clearTimeoutsAndPolling();
  972. break;
  973. case "ready":
  974. _zcSwfVersion = event.swfVersion;
  975. var wasDeactivated = _flashState.deactivated === true;
  976. _extend(_flashState, {
  977. disabled: false,
  978. outdated: false,
  979. sandboxed: false,
  980. unavailable: false,
  981. degraded: false,
  982. deactivated: false,
  983. overdue: wasDeactivated,
  984. ready: !wasDeactivated
  985. });
  986. _clearTimeoutsAndPolling();
  987. break;
  988. case "beforecopy":
  989. _copyTarget = element;
  990. break;
  991. case "copy":
  992. var textContent, htmlContent, targetEl = event.relatedTarget;
  993. if (!(_clipData["text/html"] || _clipData["text/plain"]) && targetEl && (htmlContent = targetEl.value || targetEl.outerHTML || targetEl.innerHTML) && (textContent = targetEl.value || targetEl.textContent || targetEl.innerText)) {
  994. event.clipboardData.clearData();
  995. event.clipboardData.setData("text/plain", textContent);
  996. if (htmlContent !== textContent) {
  997. event.clipboardData.setData("text/html", htmlContent);
  998. }
  999. } else if (!_clipData["text/plain"] && event.target && (textContent = event.target.getAttribute("data-clipboard-text"))) {
  1000. event.clipboardData.clearData();
  1001. event.clipboardData.setData("text/plain", textContent);
  1002. }
  1003. break;
  1004. case "aftercopy":
  1005. _queueEmitClipboardErrors(event);
  1006. ZeroClipboard.clearData();
  1007. if (element && element !== _safeActiveElement() && element.focus) {
  1008. element.focus();
  1009. }
  1010. break;
  1011. case "_mouseover":
  1012. ZeroClipboard.focus(element);
  1013. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1014. if (element && element !== event.relatedTarget && !_containedBy(event.relatedTarget, element)) {
  1015. _fireMouseEvent(_extend({}, event, {
  1016. type: "mouseenter",
  1017. bubbles: false,
  1018. cancelable: false
  1019. }));
  1020. }
  1021. _fireMouseEvent(_extend({}, event, {
  1022. type: "mouseover"
  1023. }));
  1024. }
  1025. break;
  1026. case "_mouseout":
  1027. ZeroClipboard.blur();
  1028. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1029. if (element && element !== event.relatedTarget && !_containedBy(event.relatedTarget, element)) {
  1030. _fireMouseEvent(_extend({}, event, {
  1031. type: "mouseleave",
  1032. bubbles: false,
  1033. cancelable: false
  1034. }));
  1035. }
  1036. _fireMouseEvent(_extend({}, event, {
  1037. type: "mouseout"
  1038. }));
  1039. }
  1040. break;
  1041. case "_mousedown":
  1042. _addClass(element, _globalConfig.activeClass);
  1043. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1044. _fireMouseEvent(_extend({}, event, {
  1045. type: event.type.slice(1)
  1046. }));
  1047. }
  1048. break;
  1049. case "_mouseup":
  1050. _removeClass(element, _globalConfig.activeClass);
  1051. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1052. _fireMouseEvent(_extend({}, event, {
  1053. type: event.type.slice(1)
  1054. }));
  1055. }
  1056. break;
  1057. case "_click":
  1058. _copyTarget = null;
  1059. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1060. _fireMouseEvent(_extend({}, event, {
  1061. type: event.type.slice(1)
  1062. }));
  1063. }
  1064. break;
  1065. case "_mousemove":
  1066. if (_globalConfig.bubbleEvents === true && sourceIsSwf) {
  1067. _fireMouseEvent(_extend({}, event, {
  1068. type: event.type.slice(1)
  1069. }));
  1070. }
  1071. break;
  1072. }
  1073. if (/^_(?:click|mouse(?:over|out|down|up|move))$/.test(event.type)) {
  1074. return true;
  1075. }
  1076. };
  1077. /**
  1078. * Check an "aftercopy" event for clipboard errors and emit a corresponding "error" event.
  1079. * @private
  1080. */
  1081. var _queueEmitClipboardErrors = function(aftercopyEvent) {
  1082. if (aftercopyEvent.errors && aftercopyEvent.errors.length > 0) {
  1083. var errorEvent = _deepCopy(aftercopyEvent);
  1084. _extend(errorEvent, {
  1085. type: "error",
  1086. name: "clipboard-error"
  1087. });
  1088. delete errorEvent.success;
  1089. _setTimeout(function() {
  1090. ZeroClipboard.emit(errorEvent);
  1091. }, 0);
  1092. }
  1093. };
  1094. /**
  1095. * Dispatch a synthetic MouseEvent.
  1096. *
  1097. * @returns `undefined`
  1098. * @private
  1099. */
  1100. var _fireMouseEvent = function(event) {
  1101. if (!(event && typeof event.type === "string" && event)) {
  1102. return;
  1103. }
  1104. var e, target = event.target || null, doc = target && target.ownerDocument || _document, defaults = {
  1105. view: doc.defaultView || _window,
  1106. canBubble: true,
  1107. cancelable: true,
  1108. detail: event.type === "click" ? 1 : 0,
  1109. button: typeof event.which === "number" ? event.which - 1 : typeof event.button === "number" ? event.button : doc.createEvent ? 0 : 1
  1110. }, args = _extend(defaults, event);
  1111. if (!target) {
  1112. return;
  1113. }
  1114. if (doc.createEvent && target.dispatchEvent) {
  1115. args = [ args.type, args.canBubble, args.cancelable, args.view, args.detail, args.screenX, args.screenY, args.clientX, args.clientY, args.ctrlKey, args.altKey, args.shiftKey, args.metaKey, args.button, args.relatedTarget ];
  1116. e = doc.createEvent("MouseEvents");
  1117. if (e.initMouseEvent) {
  1118. e.initMouseEvent.apply(e, args);
  1119. e._source = "js";
  1120. target.dispatchEvent(e);
  1121. }
  1122. }
  1123. };
  1124. /**
  1125. * Continuously poll the DOM until either:
  1126. * (a) the fallback content becomes visible, or
  1127. * (b) we receive an event from SWF (handled elsewhere)
  1128. *
  1129. * IMPORTANT:
  1130. * This is NOT a necessary check but it can result in significantly faster
  1131. * detection of bad `swfPath` configuration and/or network/server issues [in
  1132. * supported browsers] than waiting for the entire `flashLoadTimeout` duration
  1133. * to elapse before detecting that the SWF cannot be loaded. The detection
  1134. * duration can be anywhere from 10-30 times faster [in supported browsers] by
  1135. * using this approach.
  1136. *
  1137. * @returns `undefined`
  1138. * @private
  1139. */
  1140. var _watchForSwfFallbackContent = function() {
  1141. var maxWait = _globalConfig.flashLoadTimeout;
  1142. if (typeof maxWait === "number" && maxWait >= 0) {
  1143. var pollWait = Math.min(1e3, maxWait / 10);
  1144. var fallbackContentId = _globalConfig.swfObjectId + "_fallbackContent";
  1145. _swfFallbackCheckInterval = _setInterval(function() {
  1146. var el = _document.getElementById(fallbackContentId);
  1147. if (_isElementVisible(el)) {
  1148. _clearTimeoutsAndPolling();
  1149. _flashState.deactivated = null;
  1150. ZeroClipboard.emit({
  1151. type: "error",
  1152. name: "swf-not-found"
  1153. });
  1154. }
  1155. }, pollWait);
  1156. }
  1157. };
  1158. /**
  1159. * Create the HTML bridge element to embed the Flash object into.
  1160. * @private
  1161. */
  1162. var _createHtmlBridge = function() {
  1163. var container = _document.createElement("div");
  1164. container.id = _globalConfig.containerId;
  1165. container.className = _globalConfig.containerClass;
  1166. container.style.position = "absolute";
  1167. container.style.left = "0px";
  1168. container.style.top = "-9999px";
  1169. container.style.width = "1px";
  1170. container.style.height = "1px";
  1171. container.style.zIndex = "" + _getSafeZIndex(_globalConfig.zIndex);
  1172. return container;
  1173. };
  1174. /**
  1175. * Get the HTML element container that wraps the Flash bridge object/element.
  1176. * @private
  1177. */
  1178. var _getHtmlBridge = function(flashBridge) {
  1179. var htmlBridge = flashBridge && flashBridge.parentNode;
  1180. while (htmlBridge && htmlBridge.nodeName === "OBJECT" && htmlBridge.parentNode) {
  1181. htmlBridge = htmlBridge.parentNode;
  1182. }
  1183. return htmlBridge || null;
  1184. };
  1185. /**
  1186. * Create the SWF object.
  1187. *
  1188. * @returns The SWF object reference.
  1189. * @private
  1190. */
  1191. var _embedSwf = function() {
  1192. var len, flashBridge = _flashState.bridge, container = _getHtmlBridge(flashBridge);
  1193. if (!flashBridge) {
  1194. var allowScriptAccess = _determineScriptAccess(_window.location.host, _globalConfig);
  1195. var allowNetworking = allowScriptAccess === "never" ? "none" : "all";
  1196. var flashvars = _vars(_extend({
  1197. jsVersion: ZeroClipboard.version
  1198. }, _globalConfig));
  1199. var swfUrl = _globalConfig.swfPath + _cacheBust(_globalConfig.swfPath, _globalConfig);
  1200. container = _createHtmlBridge();
  1201. var divToBeReplaced = _document.createElement("div");
  1202. container.appendChild(divToBeReplaced);
  1203. _document.body.appendChild(container);
  1204. var tmpDiv = _document.createElement("div");
  1205. var usingActiveX = _flashState.pluginType === "activex";
  1206. tmpDiv.innerHTML = '<object id="' + _globalConfig.swfObjectId + '" name="' + _globalConfig.swfObjectId + '" ' + 'width="100%" height="100%" ' + (usingActiveX ? 'classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000"' : 'type="application/x-shockwave-flash" data="' + swfUrl + '"') + ">" + (usingActiveX ? '<param name="movie" value="' + swfUrl + '"/>' : "") + '<param name="allowScriptAccess" value="' + allowScriptAccess + '"/>' + '<param name="allowNetworking" value="' + allowNetworking + '"/>' + '<param name="menu" value="false"/>' + '<param name="wmode" value="transparent"/>' + '<param name="flashvars" value="' + flashvars + '"/>' + '<div id="' + _globalConfig.swfObjectId + '_fallbackContent">&nbsp;</div>' + "</object>";
  1207. flashBridge = tmpDiv.firstChild;
  1208. tmpDiv = null;
  1209. _unwrap(flashBridge).ZeroClipboard = ZeroClipboard;
  1210. container.replaceChild(flashBridge, divToBeReplaced);
  1211. _watchForSwfFallbackContent();
  1212. }
  1213. if (!flashBridge) {
  1214. flashBridge = _document[_globalConfig.swfObjectId];
  1215. if (flashBridge && (len = flashBridge.length)) {
  1216. flashBridge = flashBridge[len - 1];
  1217. }
  1218. if (!flashBridge && container) {
  1219. flashBridge = container.firstChild;
  1220. }
  1221. }
  1222. _flashState.bridge = flashBridge || null;
  1223. return flashBridge;
  1224. };
  1225. /**
  1226. * Destroy the SWF object.
  1227. * @private
  1228. */
  1229. var _unembedSwf = function() {
  1230. var flashBridge = _flashState.bridge;
  1231. if (flashBridge) {
  1232. var htmlBridge = _getHtmlBridge(flashBridge);
  1233. if (htmlBridge) {
  1234. if (_flashState.pluginType === "activex" && "readyState" in flashBridge) {
  1235. flashBridge.style.display = "none";
  1236. (function removeSwfFromIE() {
  1237. if (flashBridge.readyState === 4) {
  1238. for (var prop in flashBridge) {
  1239. if (typeof flashBridge[prop] === "function") {
  1240. flashBridge[prop] = null;
  1241. }
  1242. }
  1243. if (flashBridge.parentNode) {
  1244. flashBridge.parentNode.removeChild(flashBridge);
  1245. }
  1246. if (htmlBridge.parentNode) {
  1247. htmlBridge.parentNode.removeChild(htmlBridge);
  1248. }
  1249. } else {
  1250. _setTimeout(removeSwfFromIE, 10);
  1251. }
  1252. })();
  1253. } else {
  1254. if (flashBridge.parentNode) {
  1255. flashBridge.parentNode.removeChild(flashBridge);
  1256. }
  1257. if (htmlBridge.parentNode) {
  1258. htmlBridge.parentNode.removeChild(htmlBridge);
  1259. }
  1260. }
  1261. }
  1262. _clearTimeoutsAndPolling();
  1263. _flashState.ready = null;
  1264. _flashState.bridge = null;
  1265. _flashState.deactivated = null;
  1266. _zcSwfVersion = undefined;
  1267. }
  1268. };
  1269. /**
  1270. * Map the data format names of the "clipData" to Flash-friendly names.
  1271. *
  1272. * @returns A new transformed object.
  1273. * @private
  1274. */
  1275. var _mapClipDataToFlash = function(clipData) {
  1276. var newClipData = {}, formatMap = {};
  1277. if (!(typeof clipData === "object" && clipData)) {
  1278. return;
  1279. }
  1280. for (var dataFormat in clipData) {
  1281. if (dataFormat && _hasOwn.call(clipData, dataFormat) && typeof clipData[dataFormat] === "string" && clipData[dataFormat]) {
  1282. switch (dataFormat.toLowerCase()) {
  1283. case "text/plain":
  1284. case "text":
  1285. case "air:text":
  1286. case "flash:text":
  1287. newClipData.text = clipData[dataFormat];
  1288. formatMap.text = dataFormat;
  1289. break;
  1290. case "text/html":
  1291. case "html":
  1292. case "air:html":
  1293. case "flash:html":
  1294. newClipData.html = clipData[dataFormat];
  1295. formatMap.html = dataFormat;
  1296. break;
  1297. case "application/rtf":
  1298. case "text/rtf":
  1299. case "rtf":
  1300. case "richtext":
  1301. case "air:rtf":
  1302. case "flash:rtf":
  1303. newClipData.rtf = clipData[dataFormat];
  1304. formatMap.rtf = dataFormat;
  1305. break;
  1306. default:
  1307. break;
  1308. }
  1309. }
  1310. }
  1311. return {
  1312. data: newClipData,
  1313. formatMap: formatMap
  1314. };
  1315. };
  1316. /**
  1317. * Map the data format names from Flash-friendly names back to their original "clipData" names (via a format mapping).
  1318. *
  1319. * @returns A new transformed object.
  1320. * @private
  1321. */
  1322. var _mapClipResultsFromFlash = function(clipResults, formatMap) {
  1323. if (!(typeof clipResults === "object" && clipResults && typeof formatMap === "object" && formatMap)) {
  1324. return clipResults;
  1325. }
  1326. var newResults = {};
  1327. for (var prop in clipResults) {
  1328. if (_hasOwn.call(clipResults, prop)) {
  1329. if (prop === "errors") {
  1330. newResults[prop] = clipResults[prop] ? clipResults[prop].slice() : [];
  1331. for (var i = 0, len = newResults[prop].length; i < len; i++) {
  1332. newResults[prop][i].format = formatMap[newResults[prop][i].format];
  1333. }
  1334. } else if (prop !== "success" && prop !== "data") {
  1335. newResults[prop] = clipResults[prop];
  1336. } else {
  1337. newResults[prop] = {};
  1338. var tmpHash = clipResults[prop];
  1339. for (var dataFormat in tmpHash) {
  1340. if (dataFormat && _hasOwn.call(tmpHash, dataFormat) && _hasOwn.call(formatMap, dataFormat)) {
  1341. newResults[prop][formatMap[dataFormat]] = tmpHash[dataFormat];
  1342. }
  1343. }
  1344. }
  1345. }
  1346. }
  1347. return newResults;
  1348. };
  1349. /**
  1350. * Will look at a path, and will create a "?noCache={time}" or "&noCache={time}"
  1351. * query param string to return. Does NOT append that string to the original path.
  1352. * This is useful because ExternalInterface often breaks when a Flash SWF is cached.
  1353. *
  1354. * @returns The `noCache` query param with necessary "?"/"&" prefix.
  1355. * @private
  1356. */
  1357. var _cacheBust = function(path, options) {
  1358. var cacheBust = options == null || options && options.cacheBust === true;
  1359. if (cacheBust) {
  1360. return (path.indexOf("?") === -1 ? "?" : "&") + "noCache=" + _now();
  1361. } else {
  1362. return "";
  1363. }
  1364. };
  1365. /**
  1366. * Creates a query string for the FlashVars param.
  1367. * Does NOT include the cache-busting query param.
  1368. *
  1369. * @returns FlashVars query string
  1370. * @private
  1371. */
  1372. var _vars = function(options) {
  1373. var i, len, domain, domains, str = "", trustedOriginsExpanded = [];
  1374. if (options.trustedDomains) {
  1375. if (typeof options.trustedDomains === "string") {
  1376. domains = [ options.trustedDomains ];
  1377. } else if (typeof options.trustedDomains === "object" && "length" in options.trustedDomains) {
  1378. domains = options.trustedDomains;
  1379. }
  1380. }
  1381. if (domains && domains.length) {
  1382. for (i = 0, len = domains.length; i < len; i++) {
  1383. if (_hasOwn.call(domains, i) && domains[i] && typeof domains[i] === "string") {
  1384. domain = _extractDomain(domains[i]);
  1385. if (!domain) {
  1386. continue;
  1387. }
  1388. if (domain === "*") {
  1389. trustedOriginsExpanded.length = 0;
  1390. trustedOriginsExpanded.push(domain);
  1391. break;
  1392. }
  1393. trustedOriginsExpanded.push.apply(trustedOriginsExpanded, [ domain, "//" + domain, _window.location.protocol + "//" + domain ]);
  1394. }
  1395. }
  1396. }
  1397. if (trustedOriginsExpanded.length) {
  1398. str += "trustedOrigins=" + _encodeURIComponent(trustedOriginsExpanded.join(","));
  1399. }
  1400. if (options.forceEnhancedClipboard === true) {
  1401. str += (str ? "&" : "") + "forceEnhancedClipboard=true";
  1402. }
  1403. if (typeof options.swfObjectId === "string" && options.swfObjectId) {
  1404. str += (str ? "&" : "") + "swfObjectId=" + _encodeURIComponent(options.swfObjectId);
  1405. }
  1406. if (typeof options.jsVersion === "string" && options.jsVersion) {
  1407. str += (str ? "&" : "") + "jsVersion=" + _encodeURIComponent(options.jsVersion);
  1408. }
  1409. return str;
  1410. };
  1411. /**
  1412. * Extract the domain (e.g. "github.com") from an origin (e.g. "https://github.com") or
  1413. * URL (e.g. "https://github.com/zeroclipboard/zeroclipboard/").
  1414. *
  1415. * @returns the domain
  1416. * @private
  1417. */
  1418. var _extractDomain = function(originOrUrl) {
  1419. if (originOrUrl == null || originOrUrl === "") {
  1420. return null;
  1421. }
  1422. originOrUrl = originOrUrl.replace(/^\s+|\s+$/g, "");
  1423. if (originOrUrl === "") {
  1424. return null;
  1425. }
  1426. var protocolIndex = originOrUrl.indexOf("//");
  1427. originOrUrl = protocolIndex === -1 ? originOrUrl : originOrUrl.slice(protocolIndex + 2);
  1428. var pathIndex = originOrUrl.indexOf("/");
  1429. originOrUrl = pathIndex === -1 ? originOrUrl : protocolIndex === -1 || pathIndex === 0 ? null : originOrUrl.slice(0, pathIndex);
  1430. if (originOrUrl && originOrUrl.slice(-4).toLowerCase() === ".swf") {
  1431. return null;
  1432. }
  1433. return originOrUrl || null;
  1434. };
  1435. /**
  1436. * Set `allowScriptAccess` based on `trustedDomains` and `window.location.host` vs. `swfPath`.
  1437. *
  1438. * @returns The appropriate script access level.
  1439. * @private
  1440. */
  1441. var _determineScriptAccess = function() {
  1442. var _extractAllDomains = function(origins) {
  1443. var i, len, tmp, resultsArray = [];
  1444. if (typeof origins === "string") {
  1445. origins = [ origins ];
  1446. }
  1447. if (!(typeof origins === "object" && origins && typeof origins.length === "number")) {
  1448. return resultsArray;
  1449. }
  1450. for (i = 0, len = origins.length; i < len; i++) {
  1451. if (_hasOwn.call(origins, i) && (tmp = _extractDomain(origins[i]))) {
  1452. if (tmp === "*") {
  1453. resultsArray.length = 0;
  1454. resultsArray.push("*");
  1455. break;
  1456. }
  1457. if (resultsArray.indexOf(tmp) === -1) {
  1458. resultsArray.push(tmp);
  1459. }
  1460. }
  1461. }
  1462. return resultsArray;
  1463. };
  1464. return function(currentDomain, configOptions) {
  1465. var swfDomain = _extractDomain(configOptions.swfPath);
  1466. if (swfDomain === null) {
  1467. swfDomain = currentDomain