tracekit.js 47 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189119011911192119311941195119611971198119912001201120212031204120512061207120812091210121112121213121412151216121712181219122012211222122312241225122612271228122912301231123212331234123512361237123812391240124112421243124412451246124712481249125012511252125312541255125612571258125912601261126212631264126512661267126812691270127112721273127412751276127712781279128012811282128312841285128612871288128912901291129212931294129512961297129812991300130113021303130413051306130713081309131013111312131313141315131613171318131913201321132213231324132513261327
  1. /**
  2. * https://github.com/csnover/TraceKit
  3. * @license MIT
  4. * @namespace TraceKit
  5. */
  6. (function(window, undefined) {
  7. if (!window) {
  8. return;
  9. }
  10. var TraceKit = {};
  11. var _oldTraceKit = window.TraceKit;
  12. // global reference to slice
  13. var _slice = [].slice;
  14. var UNKNOWN_FUNCTION = '?';
  15. // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Error#Error_types
  16. var ERROR_TYPES_RE = /^(?:[Uu]ncaught (?:exception: )?)?(?:((?:Eval|Internal|Range|Reference|Syntax|Type|URI|)Error): )?(.*)$/;
  17. /**
  18. * A better form of hasOwnProperty<br/>
  19. * Example: `_has(MainHostObject, property) === true/false`
  20. *
  21. * @param {Object} object to check property
  22. * @param {string} key to check
  23. * @return {Boolean} true if the object has the key and it is not inherited
  24. */
  25. function _has(object, key) {
  26. return Object.prototype.hasOwnProperty.call(object, key);
  27. }
  28. /**
  29. * Returns true if the parameter is undefined<br/>
  30. * Example: `_isUndefined(val) === true/false`
  31. *
  32. * @param {*} what Value to check
  33. * @return {Boolean} true if undefined and false otherwise
  34. */
  35. function _isUndefined(what) {
  36. return typeof what === 'undefined';
  37. }
  38. /**
  39. * Export TraceKit out to another variable<br/>
  40. * Example: `var TK = TraceKit.noConflict()`
  41. * @return {Object} The TraceKit object
  42. * @memberof TraceKit
  43. */
  44. TraceKit.noConflict = function noConflict() {
  45. window.TraceKit = _oldTraceKit;
  46. return TraceKit;
  47. };
  48. /**
  49. * Wrap any function in a TraceKit reporter<br/>
  50. * Example: `func = TraceKit.wrap(func);`
  51. *
  52. * @param {Function} func Function to be wrapped
  53. * @return {Function} The wrapped func
  54. * @memberof TraceKit
  55. */
  56. TraceKit.wrap = function traceKitWrapper(func) {
  57. function wrapped() {
  58. try {
  59. return func.apply(this, arguments);
  60. } catch (e) {
  61. TraceKit.report(e);
  62. throw e;
  63. }
  64. }
  65. return wrapped;
  66. };
  67. /**
  68. * Cross-browser processing of unhandled exceptions
  69. *
  70. * Syntax:
  71. * ```js
  72. * TraceKit.report.subscribe(function(stackInfo) { ... })
  73. * TraceKit.report.unsubscribe(function(stackInfo) { ... })
  74. * TraceKit.report(exception)
  75. * try { ...code... } catch(ex) { TraceKit.report(ex); }
  76. * ```
  77. *
  78. * Supports:
  79. * - Firefox: full stack trace with line numbers, plus column number
  80. * on top frame; column number is not guaranteed
  81. * - Opera: full stack trace with line and column numbers
  82. * - Chrome: full stack trace with line and column numbers
  83. * - Safari: line and column number for the top frame only; some frames
  84. * may be missing, and column number is not guaranteed
  85. * - IE: line and column number for the top frame only; some frames
  86. * may be missing, and column number is not guaranteed
  87. *
  88. * In theory, TraceKit should work on all of the following versions:
  89. * - IE5.5+ (only 8.0 tested)
  90. * - Firefox 0.9+ (only 3.5+ tested)
  91. * - Opera 7+ (only 10.50 tested; versions 9 and earlier may require
  92. * Exceptions Have Stacktrace to be enabled in opera:config)
  93. * - Safari 3+ (only 4+ tested)
  94. * - Chrome 1+ (only 5+ tested)
  95. * - Konqueror 3.5+ (untested)
  96. *
  97. * Requires TraceKit.computeStackTrace.
  98. *
  99. * Tries to catch all unhandled exceptions and report them to the
  100. * subscribed handlers. Please note that TraceKit.report will rethrow the
  101. * exception. This is REQUIRED in order to get a useful stack trace in IE.
  102. * If the exception does not reach the top of the browser, you will only
  103. * get a stack trace from the point where TraceKit.report was called.
  104. *
  105. * Handlers receive a TraceKit.StackTrace object as described in the
  106. * TraceKit.computeStackTrace docs.
  107. *
  108. * @memberof TraceKit
  109. * @namespace
  110. */
  111. TraceKit.report = (function reportModuleWrapper() {
  112. var handlers = [],
  113. lastException = null,
  114. lastExceptionStack = null;
  115. /**
  116. * Add a crash handler.
  117. * @param {Function} handler
  118. * @memberof TraceKit.report
  119. */
  120. function subscribe(handler) {
  121. installGlobalHandler();
  122. installGlobalUnhandledRejectionHandler();
  123. handlers.push(handler);
  124. }
  125. /**
  126. * Remove a crash handler.
  127. * @param {Function} handler
  128. * @memberof TraceKit.report
  129. */
  130. function unsubscribe(handler) {
  131. for (var i = handlers.length - 1; i >= 0; --i) {
  132. if (handlers[i] === handler) {
  133. handlers.splice(i, 1);
  134. }
  135. }
  136. if (handlers.length === 0) {
  137. uninstallGlobalHandler();
  138. uninstallGlobalUnhandledRejectionHandler();
  139. }
  140. }
  141. /**
  142. * Dispatch stack information to all handlers.
  143. * @param {TraceKit.StackTrace} stack
  144. * @param {boolean} isWindowError Is this a top-level window error?
  145. * @param {Error=} error The error that's being handled (if available, null otherwise)
  146. * @memberof TraceKit.report
  147. * @throws An exception if an error occurs while calling an handler.
  148. */
  149. function notifyHandlers(stack, isWindowError, error) {
  150. var exception = null;
  151. if (isWindowError && !TraceKit.collectWindowErrors) {
  152. return;
  153. }
  154. for (var i in handlers) {
  155. if (_has(handlers, i)) {
  156. try {
  157. handlers[i](stack, isWindowError, error);
  158. } catch (inner) {
  159. exception = inner;
  160. }
  161. }
  162. }
  163. if (exception) {
  164. throw exception;
  165. }
  166. }
  167. var _oldOnerrorHandler, _onErrorHandlerInstalled;
  168. var _oldOnunhandledrejectionHandler, _onUnhandledRejectionHandlerInstalled;
  169. /**
  170. * Ensures all global unhandled exceptions are recorded.
  171. * Supported by Gecko and IE.
  172. * @param {string} message Error message.
  173. * @param {string} url URL of script that generated the exception.
  174. * @param {(number|string)} lineNo The line number at which the error occurred.
  175. * @param {(number|string)=} columnNo The column number at which the error occurred.
  176. * @param {Error=} errorObj The actual Error object.
  177. * @memberof TraceKit.report
  178. */
  179. function traceKitWindowOnError(message, url, lineNo, columnNo, errorObj) {
  180. var stack = null;
  181. if (lastExceptionStack) {
  182. TraceKit.computeStackTrace.augmentStackTraceWithInitialElement(lastExceptionStack, url, lineNo, message);
  183. processLastException();
  184. } else if (errorObj) {
  185. stack = TraceKit.computeStackTrace(errorObj);
  186. notifyHandlers(stack, true, errorObj);
  187. } else {
  188. var location = {
  189. 'url': url,
  190. 'line': lineNo,
  191. 'column': columnNo
  192. };
  193. var name;
  194. var msg = message; // must be new var or will modify original `arguments`
  195. if ({}.toString.call(message) === '[object String]') {
  196. var groups = message.match(ERROR_TYPES_RE);
  197. if (groups) {
  198. name = groups[1];
  199. msg = groups[2];
  200. }
  201. }
  202. location.func = TraceKit.computeStackTrace.guessFunctionName(location.url, location.line);
  203. location.context = TraceKit.computeStackTrace.gatherContext(location.url, location.line);
  204. stack = {
  205. 'name': name,
  206. 'message': msg,
  207. 'mode': 'onerror',
  208. 'stack': [location]
  209. };
  210. notifyHandlers(stack, true, null);
  211. }
  212. if (_oldOnerrorHandler) {
  213. return _oldOnerrorHandler.apply(this, arguments);
  214. }
  215. return false;
  216. }
  217. /**
  218. * Ensures all unhandled rejections are recorded.
  219. * @param {PromiseRejectionEvent} e event.
  220. * @memberof TraceKit.report
  221. * @see https://developer.mozilla.org/en-US/docs/Web/API/WindowEventHandlers/onunhandledrejection
  222. * @see https://developer.mozilla.org/en-US/docs/Web/API/PromiseRejectionEvent
  223. */
  224. function traceKitWindowOnUnhandledRejection(e) {
  225. var stack = TraceKit.computeStackTrace(e.reason);
  226. notifyHandlers(stack, true, e.reason);
  227. }
  228. /**
  229. * Install a global onerror handler
  230. * @memberof TraceKit.report
  231. */
  232. function installGlobalHandler() {
  233. if (_onErrorHandlerInstalled === true) {
  234. return;
  235. }
  236. _oldOnerrorHandler = window.onerror;
  237. window.onerror = traceKitWindowOnError;
  238. _onErrorHandlerInstalled = true;
  239. }
  240. /**
  241. * Uninstall the global onerror handler
  242. * @memberof TraceKit.report
  243. */
  244. function uninstallGlobalHandler() {
  245. if (_onErrorHandlerInstalled) {
  246. window.onerror = _oldOnerrorHandler;
  247. _onErrorHandlerInstalled = false;
  248. }
  249. }
  250. /**
  251. * Install a global onunhandledrejection handler
  252. * @memberof TraceKit.report
  253. */
  254. function installGlobalUnhandledRejectionHandler() {
  255. if (_onUnhandledRejectionHandlerInstalled === true) {
  256. return;
  257. }
  258. _oldOnunhandledrejectionHandler = window.onunhandledrejection;
  259. window.onunhandledrejection = traceKitWindowOnUnhandledRejection;
  260. _onUnhandledRejectionHandlerInstalled = true;
  261. }
  262. /**
  263. * Uninstall the global onunhandledrejection handler
  264. * @memberof TraceKit.report
  265. */
  266. function uninstallGlobalUnhandledRejectionHandler() {
  267. if (_onUnhandledRejectionHandlerInstalled) {
  268. window.onunhandledrejection = _oldOnunhandledrejectionHandler;
  269. _onUnhandledRejectionHandlerInstalled = false;
  270. }
  271. }
  272. /**
  273. * Process the most recent exception
  274. * @memberof TraceKit.report
  275. */
  276. function processLastException() {
  277. var _lastExceptionStack = lastExceptionStack,
  278. _lastException = lastException;
  279. lastExceptionStack = null;
  280. lastException = null;
  281. notifyHandlers(_lastExceptionStack, false, _lastException);
  282. }
  283. /**
  284. * Reports an unhandled Error to TraceKit.
  285. * @param {Error} ex
  286. * @memberof TraceKit.report
  287. * @throws An exception if an incomplete stack trace is detected (old IE browsers).
  288. */
  289. function report(ex) {
  290. if (lastExceptionStack) {
  291. if (lastException === ex) {
  292. return; // already caught by an inner catch block, ignore
  293. } else {
  294. processLastException();
  295. }
  296. }
  297. var stack = TraceKit.computeStackTrace(ex);
  298. lastExceptionStack = stack;
  299. lastException = ex;
  300. // If the stack trace is incomplete, wait for 2 seconds for
  301. // slow slow IE to see if onerror occurs or not before reporting
  302. // this exception; otherwise, we will end up with an incomplete
  303. // stack trace
  304. setTimeout(function () {
  305. if (lastException === ex) {
  306. processLastException();
  307. }
  308. }, (stack.incomplete ? 2000 : 0));
  309. throw ex; // re-throw to propagate to the top level (and cause window.onerror)
  310. }
  311. report.subscribe = subscribe;
  312. report.unsubscribe = unsubscribe;
  313. return report;
  314. }());
  315. /**
  316. * An object representing a single stack frame.
  317. * @typedef {Object} StackFrame
  318. * @property {string} url The JavaScript or HTML file URL.
  319. * @property {string} func The function name, or empty for anonymous functions (if guessing did not work).
  320. * @property {string[]?} args The arguments passed to the function, if known.
  321. * @property {number=} line The line number, if known.
  322. * @property {number=} column The column number, if known.
  323. * @property {string[]} context An array of source code lines; the middle element corresponds to the correct line#.
  324. * @memberof TraceKit
  325. */
  326. /**
  327. * An object representing a JavaScript stack trace.
  328. * @typedef {Object} StackTrace
  329. * @property {string} name The name of the thrown exception.
  330. * @property {string} message The exception error message.
  331. * @property {TraceKit.StackFrame[]} stack An array of stack frames.
  332. * @property {string} mode 'stack', 'stacktrace', 'multiline', 'callers', 'onerror', or 'failed' -- method used to collect the stack trace.
  333. * @memberof TraceKit
  334. */
  335. /**
  336. * TraceKit.computeStackTrace: cross-browser stack traces in JavaScript
  337. *
  338. * Syntax:
  339. * ```js
  340. * s = TraceKit.computeStackTrace.ofCaller([depth])
  341. * s = TraceKit.computeStackTrace(exception) // consider using TraceKit.report instead (see below)
  342. * ```
  343. *
  344. * Supports:
  345. * - Firefox: full stack trace with line numbers and unreliable column
  346. * number on top frame
  347. * - Opera 10: full stack trace with line and column numbers
  348. * - Opera 9-: full stack trace with line numbers
  349. * - Chrome: full stack trace with line and column numbers
  350. * - Safari: line and column number for the topmost stacktrace element
  351. * only
  352. * - IE: no line numbers whatsoever
  353. *
  354. * Tries to guess names of anonymous functions by looking for assignments
  355. * in the source code. In IE and Safari, we have to guess source file names
  356. * by searching for function bodies inside all page scripts. This will not
  357. * work for scripts that are loaded cross-domain.
  358. * Here be dragons: some function names may be guessed incorrectly, and
  359. * duplicate functions may be mismatched.
  360. *
  361. * TraceKit.computeStackTrace should only be used for tracing purposes.
  362. * Logging of unhandled exceptions should be done with TraceKit.report,
  363. * which builds on top of TraceKit.computeStackTrace and provides better
  364. * IE support by utilizing the window.onerror event to retrieve information
  365. * about the top of the stack.
  366. *
  367. * Note: In IE and Safari, no stack trace is recorded on the Error object,
  368. * so computeStackTrace instead walks its *own* chain of callers.
  369. * This means that:
  370. * * in Safari, some methods may be missing from the stack trace;
  371. * * in IE, the topmost function in the stack trace will always be the
  372. * caller of computeStackTrace.
  373. *
  374. * This is okay for tracing (because you are likely to be calling
  375. * computeStackTrace from the function you want to be the topmost element
  376. * of the stack trace anyway), but not okay for logging unhandled
  377. * exceptions (because your catch block will likely be far away from the
  378. * inner function that actually caused the exception).
  379. *
  380. * Tracing example:
  381. * ```js
  382. * function trace(message) {
  383. * var stackInfo = TraceKit.computeStackTrace.ofCaller();
  384. * var data = message + "\n";
  385. * for(var i in stackInfo.stack) {
  386. * var item = stackInfo.stack[i];
  387. * data += (item.func || '[anonymous]') + "() in " + item.url + ":" + (item.line || '0') + "\n";
  388. * }
  389. * if (window.console)
  390. * console.info(data);
  391. * else
  392. * alert(data);
  393. * }
  394. * ```
  395. * @memberof TraceKit
  396. * @namespace
  397. */
  398. TraceKit.computeStackTrace = (function computeStackTraceWrapper() {
  399. var debug = false,
  400. sourceCache = {};
  401. /**
  402. * Attempts to retrieve source code via XMLHttpRequest, which is used
  403. * to look up anonymous function names.
  404. * @param {string} url URL of source code.
  405. * @return {string} Source contents.
  406. * @memberof TraceKit.computeStackTrace
  407. */
  408. function loadSource(url) {
  409. if (!TraceKit.remoteFetching) { //Only attempt request if remoteFetching is on.
  410. return '';
  411. }
  412. try {
  413. var getXHR = function() {
  414. try {
  415. return new window.XMLHttpRequest();
  416. } catch (e) {
  417. // explicitly bubble up the exception if not found
  418. return new window.ActiveXObject('Microsoft.XMLHTTP');
  419. }
  420. };
  421. var request = getXHR();
  422. request.open('GET', url, false);
  423. request.send('');
  424. return request.responseText;
  425. } catch (e) {
  426. return '';
  427. }
  428. }
  429. /**
  430. * Retrieves source code from the source code cache.
  431. * @param {string} url URL of source code.
  432. * @return {Array.<string>} Source contents.
  433. * @memberof TraceKit.computeStackTrace
  434. */
  435. function getSource(url) {
  436. if (typeof url !== 'string') {
  437. return [];
  438. }
  439. if (!_has(sourceCache, url)) {
  440. // URL needs to be able to fetched within the acceptable domain. Otherwise,
  441. // cross-domain errors will be triggered.
  442. /*
  443. Regex matches:
  444. 0 - Full Url
  445. 1 - Protocol
  446. 2 - Domain
  447. 3 - Port (Useful for internal applications)
  448. 4 - Path
  449. */
  450. var source = '';
  451. var domain = '';
  452. try { domain = window.document.domain; } catch (e) { }
  453. var match = /(.*)\:\/\/([^:\/]+)([:\d]*)\/{0,1}([\s\S]*)/.exec(url);
  454. if (match && match[2] === domain) {
  455. source = loadSource(url);
  456. }
  457. sourceCache[url] = source ? source.split('\n') : [];
  458. }
  459. return sourceCache[url];
  460. }
  461. /**
  462. * Tries to use an externally loaded copy of source code to determine
  463. * the name of a function by looking at the name of the variable it was
  464. * assigned to, if any.
  465. * @param {string} url URL of source code.
  466. * @param {(string|number)} lineNo Line number in source code.
  467. * @return {string} The function name, if discoverable.
  468. * @memberof TraceKit.computeStackTrace
  469. */
  470. function guessFunctionName(url, lineNo) {
  471. var reFunctionArgNames = /function ([^(]*)\(([^)]*)\)/,
  472. reGuessFunction = /['"]?([0-9A-Za-z$_]+)['"]?\s*[:=]\s*(function|eval|new Function)/,
  473. line = '',
  474. maxLines = 10,
  475. source = getSource(url),
  476. m;
  477. if (!source.length) {
  478. return UNKNOWN_FUNCTION;
  479. }
  480. // Walk backwards from the first line in the function until we find the line which
  481. // matches the pattern above, which is the function definition
  482. for (var i = 0; i < maxLines; ++i) {
  483. line = source[lineNo - i] + line;
  484. if (!_isUndefined(line)) {
  485. if ((m = reGuessFunction.exec(line))) {
  486. return m[1];
  487. } else if ((m = reFunctionArgNames.exec(line))) {
  488. return m[1];
  489. }
  490. }
  491. }
  492. return UNKNOWN_FUNCTION;
  493. }
  494. /**
  495. * Retrieves the surrounding lines from where an exception occurred.
  496. * @param {string} url URL of source code.
  497. * @param {(string|number)} line Line number in source code to center around for context.
  498. * @return {?Array.<string>} Lines of source code.
  499. * @memberof TraceKit.computeStackTrace
  500. */
  501. function gatherContext(url, line) {
  502. var source = getSource(url);
  503. if (!source.length) {
  504. return null;
  505. }
  506. var context = [],
  507. // linesBefore & linesAfter are inclusive with the offending line.
  508. // if linesOfContext is even, there will be one extra line
  509. // *before* the offending line.
  510. linesBefore = Math.floor(TraceKit.linesOfContext / 2),
  511. // Add one extra line if linesOfContext is odd
  512. linesAfter = linesBefore + (TraceKit.linesOfContext % 2),
  513. start = Math.max(0, line - linesBefore - 1),
  514. end = Math.min(source.length, line + linesAfter - 1);
  515. line -= 1; // convert to 0-based index
  516. for (var i = start; i < end; ++i) {
  517. if (!_isUndefined(source[i])) {
  518. context.push(source[i]);
  519. }
  520. }
  521. return context.length > 0 ? context : null;
  522. }
  523. /**
  524. * Escapes special characters, except for whitespace, in a string to be
  525. * used inside a regular expression as a string literal.
  526. * @param {string} text The string.
  527. * @return {string} The escaped string literal.
  528. * @memberof TraceKit.computeStackTrace
  529. */
  530. function escapeRegExp(text) {
  531. return text.replace(/[\-\[\]{}()*+?.,\\\^$|#]/g, '\\$&');
  532. }
  533. /**
  534. * Escapes special characters in a string to be used inside a regular
  535. * expression as a string literal. Also ensures that HTML entities will
  536. * be matched the same as their literal friends.
  537. * @param {string} body The string.
  538. * @return {string} The escaped string.
  539. * @memberof TraceKit.computeStackTrace
  540. */
  541. function escapeCodeAsRegExpForMatchingInsideHTML(body) {
  542. return escapeRegExp(body).replace('<', '(?:<|&lt;)').replace('>', '(?:>|&gt;)').replace('&', '(?:&|&amp;)').replace('"', '(?:"|&quot;)').replace(/\s+/g, '\\s+');
  543. }
  544. /**
  545. * Determines where a code fragment occurs in the source code.
  546. * @param {RegExp} re The function definition.
  547. * @param {Array.<string>} urls A list of URLs to search.
  548. * @return {?Object.<string, (string|number)>} An object containing
  549. * the url, line, and column number of the defined function.
  550. * @memberof TraceKit.computeStackTrace
  551. */
  552. function findSourceInUrls(re, urls) {
  553. var source, m;
  554. for (var i = 0, j = urls.length; i < j; ++i) {
  555. if ((source = getSource(urls[i])).length) {
  556. source = source.join('\n');
  557. if ((m = re.exec(source))) {
  558. return {
  559. 'url': urls[i],
  560. 'line': source.substring(0, m.index).split('\n').length,
  561. 'column': m.index - source.lastIndexOf('\n', m.index) - 1
  562. };
  563. }
  564. }
  565. }
  566. return null;
  567. }
  568. /**
  569. * Determines at which column a code fragment occurs on a line of the
  570. * source code.
  571. * @param {string} fragment The code fragment.
  572. * @param {string} url The URL to search.
  573. * @param {(string|number)} line The line number to examine.
  574. * @return {?number} The column number.
  575. * @memberof TraceKit.computeStackTrace
  576. */
  577. function findSourceInLine(fragment, url, line) {
  578. var source = getSource(url),
  579. re = new RegExp('\\b' + escapeRegExp(fragment) + '\\b'),
  580. m;
  581. line -= 1;
  582. if (source && source.length > line && (m = re.exec(source[line]))) {
  583. return m.index;
  584. }
  585. return null;
  586. }
  587. /**
  588. * Determines where a function was defined within the source code.
  589. * @param {(Function|string)} func A function reference or serialized
  590. * function definition.
  591. * @return {?Object.<string, (string|number)>} An object containing
  592. * the url, line, and column number of the defined function.
  593. * @memberof TraceKit.computeStackTrace
  594. */
  595. function findSourceByFunctionBody(func) {
  596. if (_isUndefined(window && window.document)) {
  597. return;
  598. }
  599. var urls = [window.location.href],
  600. scripts = window.document.getElementsByTagName('script'),
  601. body,
  602. code = '' + func,
  603. codeRE = /^function(?:\s+([\w$]+))?\s*\(([\w\s,]*)\)\s*\{\s*(\S[\s\S]*\S)\s*\}\s*$/,
  604. eventRE = /^function on([\w$]+)\s*\(event\)\s*\{\s*(\S[\s\S]*\S)\s*\}\s*$/,
  605. re,
  606. parts,
  607. result;
  608. for (var i = 0; i < scripts.length; ++i) {
  609. var script = scripts[i];
  610. if (script.src) {
  611. urls.push(script.src);
  612. }
  613. }
  614. if (!(parts = codeRE.exec(code))) {
  615. re = new RegExp(escapeRegExp(code).replace(/\s+/g, '\\s+'));
  616. }
  617. // not sure if this is really necessary, but I don’t have a test
  618. // corpus large enough to confirm that and it was in the original.
  619. else {
  620. var name = parts[1] ? '\\s+' + parts[1] : '',
  621. args = parts[2].split(',').join('\\s*,\\s*');
  622. body = escapeRegExp(parts[3]).replace(/;$/, ';?'); // semicolon is inserted if the function ends with a comment.replace(/\s+/g, '\\s+');
  623. re = new RegExp('function' + name + '\\s*\\(\\s*' + args + '\\s*\\)\\s*{\\s*' + body + '\\s*}');
  624. }
  625. // look for a normal function definition
  626. if ((result = findSourceInUrls(re, urls))) {
  627. return result;
  628. }
  629. // look for an old-school event handler function
  630. if ((parts = eventRE.exec(code))) {
  631. var event = parts[1];
  632. body = escapeCodeAsRegExpForMatchingInsideHTML(parts[2]);
  633. // look for a function defined in HTML as an onXXX handler
  634. re = new RegExp('on' + event + '=[\\\'"]\\s*' + body + '\\s*[\\\'"]', 'i');
  635. if ((result = findSourceInUrls(re, urls[0]))) {
  636. return result;
  637. }
  638. // look for ???
  639. re = new RegExp(body);
  640. if ((result = findSourceInUrls(re, urls))) {
  641. return result;
  642. }
  643. }
  644. return null;
  645. }
  646. // Contents of Exception in various browsers.
  647. //
  648. // SAFARI:
  649. // ex.message = Can't find variable: qq
  650. // ex.line = 59
  651. // ex.sourceId = 580238192
  652. // ex.sourceURL = http://...
  653. // ex.expressionBeginOffset = 96
  654. // ex.expressionCaretOffset = 98
  655. // ex.expressionEndOffset = 98
  656. // ex.name = ReferenceError
  657. //
  658. // FIREFOX:
  659. // ex.message = qq is not defined
  660. // ex.fileName = http://...
  661. // ex.lineNumber = 59
  662. // ex.columnNumber = 69
  663. // ex.stack = ...stack trace... (see the example below)
  664. // ex.name = ReferenceError
  665. //
  666. // CHROME:
  667. // ex.message = qq is not defined
  668. // ex.name = ReferenceError
  669. // ex.type = not_defined
  670. // ex.arguments = ['aa']
  671. // ex.stack = ...stack trace...
  672. //
  673. // INTERNET EXPLORER:
  674. // ex.message = ...
  675. // ex.name = ReferenceError
  676. //
  677. // OPERA:
  678. // ex.message = ...message... (see the example below)
  679. // ex.name = ReferenceError
  680. // ex.opera#sourceloc = 11 (pretty much useless, duplicates the info in ex.message)
  681. // ex.stacktrace = n/a; see 'opera:config#UserPrefs|Exceptions Have Stacktrace'
  682. /**
  683. * Computes stack trace information from the stack property.
  684. * Chrome and Gecko use this property.
  685. * @param {Error} ex
  686. * @return {?TraceKit.StackTrace} Stack trace information.
  687. * @memberof TraceKit.computeStackTrace
  688. */
  689. function computeStackTraceFromStackProp(ex) {
  690. if (!ex.stack) {
  691. return null;
  692. }
  693. var chrome = /^\s*at (.*?) ?\(((?:file|https?|blob|chrome-extension|native|eval|webpack|<anonymous>|\/).*?)(?::(\d+))?(?::(\d+))?\)?\s*$/i,
  694. gecko = /^\s*(.*?)(?:\((.*?)\))?(?:^|@)((?:file|https?|blob|chrome|webpack|resource|\[native).*?|[^@]*bundle)(?::(\d+))?(?::(\d+))?\s*$/i,
  695. winjs = /^\s*at (?:((?:\[object object\])?.+) )?\(?((?:file|ms-appx|https?|webpack|blob):.*?):(\d+)(?::(\d+))?\)?\s*$/i,
  696. // Used to additionally parse URL/line/column from eval frames
  697. isEval,
  698. geckoEval = /(\S+) line (\d+)(?: > eval line \d+)* > eval/i,
  699. chromeEval = /\((\S*)(?::(\d+))(?::(\d+))\)/,
  700. lines = ex.stack.split('\n'),
  701. stack = [],
  702. submatch,
  703. parts,
  704. element,
  705. reference = /^(.*) is undefined$/.exec(ex.message);
  706. for (var i = 0, j = lines.length; i < j; ++i) {
  707. if ((parts = chrome.exec(lines[i]))) {
  708. var isNative = parts[2] && parts[2].indexOf('native') === 0; // start of line
  709. isEval = parts[2] && parts[2].indexOf('eval') === 0; // start of line
  710. if (isEval && (submatch = chromeEval.exec(parts[2]))) {
  711. // throw out eval line/column and use top-most line/column number
  712. parts[2] = submatch[1]; // url
  713. parts[3] = submatch[2]; // line
  714. parts[4] = submatch[3]; // column
  715. }
  716. element = {
  717. 'url': !isNative ? parts[2] : null,
  718. 'func': parts[1] || UNKNOWN_FUNCTION,
  719. 'args': isNative ? [parts[2]] : [],
  720. 'line': parts[3] ? +parts[3] : null,
  721. 'column': parts[4] ? +parts[4] : null
  722. };
  723. } else if ( parts = winjs.exec(lines[i]) ) {
  724. element = {
  725. 'url': parts[2],
  726. 'func': parts[1] || UNKNOWN_FUNCTION,
  727. 'args': [],
  728. 'line': +parts[3],
  729. 'column': parts[4] ? +parts[4] : null
  730. };
  731. } else if ((parts = gecko.exec(lines[i]))) {
  732. isEval = parts[3] && parts[3].indexOf(' > eval') > -1;
  733. if (isEval && (submatch = geckoEval.exec(parts[3]))) {
  734. // throw out eval line/column and use top-most line number
  735. parts[3] = submatch[1];
  736. parts[4] = submatch[2];
  737. parts[5] = null; // no column when eval
  738. } else if (i === 0 && !parts[5] && !_isUndefined(ex.columnNumber)) {
  739. // FireFox uses this awesome columnNumber property for its top frame
  740. // Also note, Firefox's column number is 0-based and everything else expects 1-based,
  741. // so adding 1
  742. // NOTE: this hack doesn't work if top-most frame is eval
  743. stack[0].column = ex.columnNumber + 1;
  744. }
  745. element = {
  746. 'url': parts[3],
  747. 'func': parts[1] || UNKNOWN_FUNCTION,
  748. 'args': parts[2] ? parts[2].split(',') : [],
  749. 'line': parts[4] ? +parts[4] : null,
  750. 'column': parts[5] ? +parts[5] : null
  751. };
  752. } else {
  753. continue;
  754. }
  755. if (!element.func && element.line) {
  756. element.func = guessFunctionName(element.url, element.line);
  757. }
  758. element.context = element.line ? gatherContext(element.url, element.line) : null;
  759. stack.push(element);
  760. }
  761. if (!stack.length) {
  762. return null;
  763. }
  764. if (stack[0] && stack[0].line && !stack[0].column && reference) {
  765. stack[0].column = findSourceInLine(reference[1], stack[0].url, stack[0].line);
  766. }
  767. return {
  768. 'mode': 'stack',
  769. 'name': ex.name,
  770. 'message': ex.message,
  771. 'stack': stack
  772. };
  773. }
  774. /**
  775. * Computes stack trace information from the stacktrace property.
  776. * Opera 10+ uses this property.
  777. * @param {Error} ex
  778. * @return {?TraceKit.StackTrace} Stack trace information.
  779. * @memberof TraceKit.computeStackTrace
  780. */
  781. function computeStackTraceFromStacktraceProp(ex) {
  782. // Access and store the stacktrace property before doing ANYTHING
  783. // else to it because Opera is not very good at providing it
  784. // reliably in other circumstances.
  785. var stacktrace = ex.stacktrace;
  786. if (!stacktrace) {
  787. return;
  788. }
  789. var opera10Regex = / line (\d+).*script (?:in )?(\S+)(?:: in function (\S+))?$/i,
  790. opera11Regex = / line (\d+), column (\d+)\s*(?:in (?:<anonymous function: ([^>]+)>|([^\)]+))\((.*)\))? in (.*):\s*$/i,
  791. lines = stacktrace.split('\n'),
  792. stack = [],
  793. parts;
  794. for (var line = 0; line < lines.length; line += 2) {
  795. var element = null;
  796. if ((parts = opera10Regex.exec(lines[line]))) {
  797. element = {
  798. 'url': parts[2],
  799. 'line': +parts[1],
  800. 'column': null,
  801. 'func': parts[3],
  802. 'args':[]
  803. };
  804. } else if ((parts = opera11Regex.exec(lines[line]))) {
  805. element = {
  806. 'url': parts[6],
  807. 'line': +parts[1],
  808. 'column': +parts[2],
  809. 'func': parts[3] || parts[4],
  810. 'args': parts[5] ? parts[5].split(',') : []
  811. };
  812. }
  813. if (element) {
  814. if (!element.func && element.line) {
  815. element.func = guessFunctionName(element.url, element.line);
  816. }
  817. if (element.line) {
  818. try {
  819. element.context = gatherContext(element.url, element.line);
  820. } catch (exc) {}
  821. }
  822. if (!element.context) {
  823. element.context = [lines[line + 1]];
  824. }
  825. stack.push(element);
  826. }
  827. }
  828. if (!stack.length) {
  829. return null;
  830. }
  831. return {
  832. 'mode': 'stacktrace',
  833. 'name': ex.name,
  834. 'message': ex.message,
  835. 'stack': stack
  836. };
  837. }
  838. /**
  839. * NOT TESTED.
  840. * Computes stack trace information from an error message that includes
  841. * the stack trace.
  842. * Opera 9 and earlier use this method if the option to show stack
  843. * traces is turned on in opera:config.
  844. * @param {Error} ex
  845. * @return {?TraceKit.StackTrace} Stack information.
  846. * @memberof TraceKit.computeStackTrace
  847. */
  848. function computeStackTraceFromOperaMultiLineMessage(ex) {
  849. // TODO: Clean this function up
  850. // Opera includes a stack trace into the exception message. An example is:
  851. //
  852. // Statement on line 3: Undefined variable: undefinedFunc
  853. // Backtrace:
  854. // Line 3 of linked script file://localhost/Users/andreyvit/Projects/TraceKit/javascript-client/sample.js: In function zzz
  855. // undefinedFunc(a);
  856. // Line 7 of inline#1 script in file://localhost/Users/andreyvit/Projects/TraceKit/javascript-client/sample.html: In function yyy
  857. // zzz(x, y, z);
  858. // Line 3 of inline#1 script in file://localhost/Users/andreyvit/Projects/TraceKit/javascript-client/sample.html: In function xxx
  859. // yyy(a, a, a);
  860. // Line 1 of function script
  861. // try { xxx('hi'); return false; } catch(ex) { TraceKit.report(ex); }
  862. // ...
  863. var lines = ex.message.split('\n');
  864. if (lines.length < 4) {
  865. return null;
  866. }
  867. var lineRE1 = /^\s*Line (\d+) of linked script ((?:file|https?|blob)\S+)(?:: in function (\S+))?\s*$/i,
  868. lineRE2 = /^\s*Line (\d+) of inline#(\d+) script in ((?:file|https?|blob)\S+)(?:: in function (\S+))?\s*$/i,
  869. lineRE3 = /^\s*Line (\d+) of function script\s*$/i,
  870. stack = [],
  871. scripts = (window && window.document && window.document.getElementsByTagName('script')),
  872. inlineScriptBlocks = [],
  873. parts;
  874. for (var s in scripts) {
  875. if (_has(scripts, s) && !scripts[s].src) {
  876. inlineScriptBlocks.push(scripts[s]);
  877. }
  878. }
  879. for (var line = 2; line < lines.length; line += 2) {
  880. var item = null;
  881. if ((parts = lineRE1.exec(lines[line]))) {
  882. item = {
  883. 'url': parts[2],
  884. 'func': parts[3],
  885. 'args': [],
  886. 'line': +parts[1],
  887. 'column': null
  888. };
  889. } else if ((parts = lineRE2.exec(lines[line]))) {
  890. item = {
  891. 'url': parts[3],
  892. 'func': parts[4],
  893. 'args': [],
  894. 'line': +parts[1],
  895. 'column': null // TODO: Check to see if inline#1 (+parts[2]) points to the script number or column number.
  896. };
  897. var relativeLine = (+parts[1]); // relative to the start of the <SCRIPT> block
  898. var script = inlineScriptBlocks[parts[2] - 1];
  899. if (script) {
  900. var source = getSource(item.url);
  901. if (source) {
  902. source = source.join('\n');
  903. var pos = source.indexOf(script.innerText);
  904. if (pos >= 0) {
  905. item.line = relativeLine + source.substring(0, pos).split('\n').length;
  906. }
  907. }
  908. }
  909. } else if ((parts = lineRE3.exec(lines[line]))) {
  910. var url = window.location.href.replace(/#.*$/, '');
  911. var re = new RegExp(escapeCodeAsRegExpForMatchingInsideHTML(lines[line + 1]));
  912. var src = findSourceInUrls(re, [url]);
  913. item = {
  914. 'url': url,
  915. 'func': '',
  916. 'args': [],
  917. 'line': src ? src.line : parts[1],
  918. 'column': null
  919. };
  920. }
  921. if (item) {
  922. if (!item.func) {
  923. item.func = guessFunctionName(item.url, item.line);
  924. }
  925. var context = gatherContext(item.url, item.line);
  926. var midline = (context ? context[Math.floor(context.length / 2)] : null);
  927. if (context && midline.replace(/^\s*/, '') === lines[line + 1].replace(/^\s*/, '')) {
  928. item.context = context;
  929. } else {
  930. // if (context) alert("Context mismatch. Correct midline:\n" + lines[i+1] + "\n\nMidline:\n" + midline + "\n\nContext:\n" + context.join("\n") + "\n\nURL:\n" + item.url);
  931. item.context = [lines[line + 1]];
  932. }
  933. stack.push(item);
  934. }
  935. }
  936. if (!stack.length) {
  937. return null; // could not parse multiline exception message as Opera stack trace
  938. }
  939. return {
  940. 'mode': 'multiline',
  941. 'name': ex.name,
  942. 'message': lines[0],
  943. 'stack': stack
  944. };
  945. }
  946. /**
  947. * Adds information about the first frame to incomplete stack traces.
  948. * Safari and IE require this to get complete data on the first frame.
  949. * @param {TraceKit.StackTrace} stackInfo Stack trace information from
  950. * one of the compute* methods.
  951. * @param {string} url The URL of the script that caused an error.
  952. * @param {(number|string)} lineNo The line number of the script that
  953. * caused an error.
  954. * @param {string=} message The error generated by the browser, which
  955. * hopefully contains the name of the object that caused the error.
  956. * @return {boolean} Whether or not the stack information was
  957. * augmented.
  958. * @memberof TraceKit.computeStackTrace
  959. */
  960. function augmentStackTraceWithInitialElement(stackInfo, url, lineNo, message) {
  961. var initial = {
  962. 'url': url,
  963. 'line': lineNo
  964. };
  965. if (initial.url && initial.line) {
  966. stackInfo.incomplete = false;
  967. if (!initial.func) {
  968. initial.func = guessFunctionName(initial.url, initial.line);
  969. }
  970. if (!initial.context) {
  971. initial.context = gatherContext(initial.url, initial.line);
  972. }
  973. var reference = / '([^']+)' /.exec(message);
  974. if (reference) {
  975. initial.column = findSourceInLine(reference[1], initial.url, initial.line);
  976. }
  977. if (stackInfo.stack.length > 0) {
  978. if (stackInfo.stack[0].url === initial.url) {
  979. if (stackInfo.stack[0].line === initial.line) {
  980. return false; // already in stack trace
  981. } else if (!stackInfo.stack[0].line && stackInfo.stack[0].func === initial.func) {
  982. stackInfo.stack[0].line = initial.line;
  983. stackInfo.stack[0].context = initial.context;
  984. return false;
  985. }
  986. }
  987. }
  988. stackInfo.stack.unshift(initial);
  989. stackInfo.partial = true;
  990. return true;
  991. } else {
  992. stackInfo.incomplete = true;
  993. }
  994. return false;
  995. }
  996. /**
  997. * Computes stack trace information by walking the arguments.caller
  998. * chain at the time the exception occurred. This will cause earlier
  999. * frames to be missed but is the only way to get any stack trace in
  1000. * Safari and IE. The top frame is restored by
  1001. * {@link augmentStackTraceWithInitialElement}.
  1002. * @param {Error} ex
  1003. * @return {TraceKit.StackTrace=} Stack trace information.
  1004. * @memberof TraceKit.computeStackTrace
  1005. */
  1006. function computeStackTraceByWalkingCallerChain(ex, depth) {
  1007. var functionName = /function\s+([_$a-zA-Z\xA0-\uFFFF][_$a-zA-Z0-9\xA0-\uFFFF]*)?\s*\(/i,
  1008. stack = [],
  1009. funcs = {},
  1010. recursion = false,
  1011. parts,
  1012. item,
  1013. source;
  1014. for (var curr = computeStackTraceByWalkingCallerChain.caller; curr && !recursion; curr = curr.caller) {
  1015. if (curr === computeStackTrace || curr === TraceKit.report) {
  1016. continue;
  1017. }
  1018. item = {
  1019. 'url': null,
  1020. 'func': UNKNOWN_FUNCTION,
  1021. 'args': [],
  1022. 'line': null,
  1023. 'column': null
  1024. };
  1025. if (curr.name) {
  1026. item.func = curr.name;
  1027. } else if ((parts = functionName.exec(curr.toString()))) {
  1028. item.func = parts[1];
  1029. }
  1030. if (typeof item.func === 'undefined') {
  1031. try {
  1032. item.func = parts.input.substring(0, parts.input.indexOf('{'));
  1033. } catch (e) { }
  1034. }
  1035. if ((source = findSourceByFunctionBody(curr))) {
  1036. item.url = source.url;
  1037. item.line = source.line;
  1038. if (item.func === UNKNOWN_FUNCTION) {
  1039. item.func = guessFunctionName(item.url, item.line);
  1040. }
  1041. var reference = / '([^']+)' /.exec(ex.message || ex.description);
  1042. if (reference) {
  1043. item.column = findSourceInLine(reference[1], source.url, source.line);
  1044. }
  1045. }
  1046. if (funcs['' + curr]) {
  1047. recursion = true;
  1048. }else{
  1049. funcs['' + curr] = true;
  1050. }
  1051. stack.push(item);
  1052. }
  1053. if (depth) {
  1054. stack.splice(0, depth);
  1055. }
  1056. var result = {
  1057. 'mode': 'callers',
  1058. 'name': ex.name,
  1059. 'message': ex.message,
  1060. 'stack': stack
  1061. };
  1062. augmentStackTraceWithInitialElement(result, ex.sourceURL || ex.fileName, ex.line || ex.lineNumber, ex.message || ex.description);
  1063. return result;
  1064. }
  1065. /**
  1066. * Computes a stack trace for an exception.
  1067. * @param {Error} ex
  1068. * @param {(string|number)=} depth
  1069. * @memberof TraceKit.computeStackTrace
  1070. */
  1071. function computeStackTrace(ex, depth) {
  1072. var stack = null;
  1073. depth = (depth == null ? 0 : +depth);
  1074. try {
  1075. // This must be tried first because Opera 10 *destroys*
  1076. // its stacktrace property if you try to access the stack
  1077. // property first!!
  1078. stack = computeStackTraceFromStacktraceProp(ex);
  1079. if (stack) {
  1080. return stack;
  1081. }
  1082. } catch (e) {
  1083. if (debug) {
  1084. throw e;
  1085. }
  1086. }
  1087. try {
  1088. stack = computeStackTraceFromStackProp(ex);
  1089. if (stack) {
  1090. return stack;
  1091. }
  1092. } catch (e) {
  1093. if (debug) {
  1094. throw e;
  1095. }
  1096. }
  1097. try {
  1098. stack = computeStackTraceFromOperaMultiLineMessage(ex);
  1099. if (stack) {
  1100. return stack;
  1101. }
  1102. } catch (e) {
  1103. if (debug) {
  1104. throw e;
  1105. }
  1106. }
  1107. try {
  1108. stack = computeStackTraceByWalkingCallerChain(ex, depth + 1);
  1109. if (stack) {
  1110. return stack;
  1111. }
  1112. } catch (e) {
  1113. if (debug) {
  1114. throw e;
  1115. }
  1116. }
  1117. return {
  1118. 'name': ex.name,
  1119. 'message': ex.message,
  1120. 'mode': 'failed'
  1121. };
  1122. }
  1123. /**
  1124. * Logs a stacktrace starting from the previous call and working down.
  1125. * @param {(number|string)=} depth How many frames deep to trace.
  1126. * @return {TraceKit.StackTrace} Stack trace information.
  1127. * @memberof TraceKit.computeStackTrace
  1128. */
  1129. function computeStackTraceOfCaller(depth) {
  1130. depth = (depth == null ? 0 : +depth) + 1; // "+ 1" because "ofCaller" should drop one frame
  1131. try {
  1132. throw new Error();
  1133. } catch (ex) {
  1134. return computeStackTrace(ex, depth + 1);
  1135. }
  1136. }
  1137. computeStackTrace.augmentStackTraceWithInitialElement = augmentStackTraceWithInitialElement;
  1138. computeStackTrace.computeStackTraceFromStackProp = computeStackTraceFromStackProp;
  1139. computeStackTrace.guessFunctionName = guessFunctionName;
  1140. computeStackTrace.gatherContext = gatherContext;
  1141. computeStackTrace.ofCaller = computeStackTraceOfCaller;
  1142. computeStackTrace.getSource = getSource;
  1143. return computeStackTrace;
  1144. }());
  1145. /**
  1146. * Extends support for global error handling for asynchronous browser
  1147. * functions. Adopted from Closure Library's errorhandler.js
  1148. * @memberof TraceKit
  1149. */
  1150. TraceKit.extendToAsynchronousCallbacks = function () {
  1151. var _helper = function _helper(fnName) {
  1152. var originalFn = window[fnName];
  1153. window[fnName] = function traceKitAsyncExtension() {
  1154. // Make a copy of the arguments
  1155. var args = _slice.call(arguments);
  1156. var originalCallback = args[0];
  1157. if (typeof (originalCallback) === 'function') {
  1158. args[0] = TraceKit.wrap(originalCallback);
  1159. }
  1160. // IE < 9 doesn't support .call/.apply on setInterval/setTimeout, but it
  1161. // also only supports 2 argument and doesn't care what "this" is, so we
  1162. // can just call the original function directly.
  1163. if (originalFn.apply) {
  1164. return originalFn.apply(this, args);
  1165. } else {
  1166. return originalFn(args[0], args[1]);
  1167. }
  1168. };
  1169. };
  1170. _helper('setTimeout');
  1171. _helper('setInterval');
  1172. };
  1173. //Default options:
  1174. if (!TraceKit.remoteFetching) {
  1175. TraceKit.remoteFetching = true;
  1176. }
  1177. if (!TraceKit.collectWindowErrors) {
  1178. TraceKit.collectWindowErrors = true;
  1179. }
  1180. if (!TraceKit.linesOfContext || TraceKit.linesOfContext < 1) {
  1181. // 5 lines before, the offending line, 5 lines after
  1182. TraceKit.linesOfContext = 11;
  1183. }
  1184. // UMD export
  1185. if (typeof define === 'function' && define.amd) {
  1186. define('TraceKit', [], TraceKit);
  1187. } else if (typeof module !== 'undefined' && module.exports && window.module !== module) {
  1188. module.exports = TraceKit;
  1189. } else {
  1190. window.TraceKit = TraceKit;
  1191. }
  1192. }(typeof window !== 'undefined' ? window : global));