-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathtracer.js
293 lines (252 loc) · 8.06 KB
/
tracer.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
// TODO:
// - an option to not patch $on, or show both where it got registered and invoked
// - find a way to bootstrap it early
// - detect blocklisted frames
// - expose more watch expressions
/**
* USAGE:
*
* After running this script, all newly-scheduled AngularJS calls get tracked.
* You can call window.trace() at any point to print the current trace.
*/
// Ideally, this should be imported before AngularJS itself.
import('https://cdnjs.cloudflare.com/ajax/libs/zone.js/0.8.18/zone.js');
(function init() {
const PATCH_$ON = false;
const MAX_CALLS_TO_TRACK = 10;
const BLACKLISTED_FRAMES = [
// Standard stacktrace header.
'Error',
// Zone.js internals.
'globalZoneAwareCallback',
'at Zone.',
'at ZoneDelegate.',
'at ZoneTask.',
'at invokeTask ',
'at timer ',
'at XMLHttpRequest.wrapFn ',
// AngularJS internals.
'at eval ',
'at Object.invoke ',
'at Object.link ',
'at Object.ngTranscludePostLink ',
'at Object.onInvokeTask ',
'at completeOutstandingRequest',
'at processQueue',
'at invokeLinkFn ',
'at nodeLinkFn ',
'at compositeLinkFn ',
'at publicLinkFn ',
'at lazyCompilation ',
'at boundTranscludeFn ',
'at controllersBoundTransclude ',
'at compileNodes ',
'at Scope.',
'at ChildScope.',
// Instrumentation.
'<anonymous>',
'at wrapDeferred ',
'at deferredWrapper ',
];
let currentTrace = null;
function getStack(source) {
return {
parent: currentTrace,
scheduled: performance.now(),
source,
calls: null,
callCount: 0,
// perf: lazy-evaluate Error.stack
error: new Error()
};
}
function captureTrace(source) {
const trace = getStack(source);
let traceBefore = null;
return {
set: (scope, args) => {
traceBefore = currentTrace;
currentTrace = trace;
// Keep track of the last N calls.
trace.callCount++;
if (!trace.calls) {
trace.calls = [];
}
while (trace.calls.length > MAX_CALLS_TO_TRACK) trace.calls.pop();
trace.calls.unshift({
timestamp: performance.now(),
scope,
args
});
},
restore: () => {
currentTrace = traceBefore;
}
};
}
function trace() {
let stack = getStack('Trace:');
do {
console.log(`%c${stack.source}`, 'font-weight:bold');
if (stack.calls && stack.calls.length) {
const lastCall = stack.calls[0];
logCall(stack, lastCall);
if (stack.calls.length > 1) {
console.groupCollapsed(`Prev ${stack.calls.length - 1} call(s) (out of ${stack.callCount} total)`);
for (let i = 1; i < stack.calls.length; i++) {
logCall(stack, stack.calls[i]);
}
console.groupEnd();
}
logPerformanceEntries(stack.scheduled, lastCall.timestamp);
}
const frames = stack.error.stack;
console.log(frames.split('\n')
.filter(frame => !isFrameBlacklisted(frame))
.join('\n'));
console.log('┈');
} while (stack = stack.parent);
}
function logCall(stack, call) {
const delay = Math.round(100 * (call.timestamp - stack.scheduled)) / 100;
console.log('Latency', delay);
if (call.scope !== window) {
console.log('scope', call.scope);
}
console.log('args', call.args);
}
function isFrameBlacklisted(frame) {
if (!frame) {
return true;
}
return BLACKLISTED_FRAMES.some(blacklisted => frame.includes(blacklisted));
}
function logPerformanceEntries(from, to) {
const entries = performance.getEntries().filter(
entry => entry.startTime >= from && entry.startTime + entry.duration < to);
if (entries.length) {
console.groupCollapsed('perf entries');
entries.forEach(entry => console.log(entry));
console.groupEnd();
}
}
function patchZoneJs() {
const rootZone = window.Zone && Zone.root;
if (rootZone) {
const scheduleTask = rootZone.prototype.scheduleTask;
rootZone.prototype.scheduleTask = function (task) {
task.trace = captureTrace(`async (${task.source})`);
return scheduleTask.call(this, task);
}
const runTask = rootZone.prototype.runTask;
rootZone.prototype.runTask = function (task, applyThis, applyArgs) {
const trace = task.trace;
try {
trace && trace.set(applyThis, applyArgs);
return runTask.call(this, task, applyThis, applyArgs);
} finally {
trace && trace.restore();
}
}
}
}
function wrapDeferred(fn, source) {
if (!fn) return fn;
const trace = captureTrace(source);
return function deferredWrapper() {
try {
trace.set(this, arguments);
return fn.apply(this, arguments);
} finally {
trace.restore();
}
};
}
function patchAngularJs() {
if (!window.angular) return;
const injector = angular.element(document).injector(); // || angular.injector(['ng']) || angular.element(document.body).injector();
injector.invoke(['$rootScope', '$parse', '$q', '$browser', ($rootScope, $parse, $q, $browser) => {
const defer = $browser.defer;
$browser.defer = function (fn, delay) {
return defer.call(this, wrapDeferred(fn, '$browser.defer'), delay);
};
$browser.defer.cancel = defer.cancel;
$browser.defer.flush = defer.flush;
const promise = Object.getPrototypeOf($q.defer().promise);
const $then = promise.then;
promise.then = function (success, error, notify) {
return $then.call(this,
wrapDeferred(success, '$promise.success'),
wrapDeferred(error, '$promise.error'),
wrapDeferred(notify, '$promise.notify'));
};
const scope = Object.getPrototypeOf($rootScope);
const $evalAsync = scope.$evalAsync;
scope.$evalAsync = function (exp) {
$evalAsync.call(this, wrapDeferred($parse(exp), '$evalAsync'));
};
const $applyAsync = scope.$applyAsync;
scope.$applyAsync = function (exp) {
$applyAsync.call(this, wrapDeferred($parse(exp), '$applyAsync'));
};
const $$postDigest = scope.$$postDigest;
scope.$$postDigest = function (fn) {
$applyAsync.call(this, wrapDeferred(fn, '$$postDigest'));
};
if (PATCH_$ON) {
// We may not actually want to do that, as this would obscure how the event got triggered
// and, instead, show how path from where it got registered.
const $on = scope.$on;
scope.$on = function (name, listener) {
return $on.call(this, name, wrapDeferred(listener, `$on<${name}>`));
};
}
const $watch = scope.$watch;
scope.$watch = function (exp, listener, objEq, prettyPrint) {
let strExp = '';
if (typeof exp == 'string') {
strExp = exp;
}
if (typeof exp == 'function' && exp.name) {
strExp = exp.name;
}
const get = $parse(exp);
// Watch delegates need access to properties on the parsed expression.
// Call it here directly to mimic what $watch() does.
// Wrapping will still occur when the delegate, in turn, calls $watch().
if (get.$$watchDelegate) {
return get.$$watchDelegate(this, listener, objEq, get, exp);
}
return $watch.call(this,
wrapDeferred(get, `$watch<${strExp}>`),
wrapDeferred(listener, `$watch.listener<${strExp}>`),
objEq,
prettyPrint);
};
}]);
}
function benchmark() {
const iterations = 50000;
const runs = 5;
for (let run = 0; run < runs; run++) {
console.time('benchmark');
let i = iterations;
while (i--) {
const trace = captureTrace('iteration_' + i);
try {
trace.set();
} finally {
trace.restore();
}
}
console.timeEnd('benchmark');
}
}
// Init.
patchZoneJs();
patchAngularJs();
// Default is 15, definitely not enough.
Error.stackTraceLimit = 100;
window.trace = trace;
window.benchmarkTrace = benchmark;
})();