
Clearing array with setting length to 0 replaced with [] for being short and marginally efficient. For reference: [] is turned into a sequence of around 15 machine instructions on x64 (if bump pointer allocation succeeds), whereas a.length=0 is a C++ runtime function call, which requires 10-100x as many instructions. Benedikt Meurer PR Close #20395
27 lines
659 B
TypeScript
27 lines
659 B
TypeScript
import { Injectable } from '@angular/core';
|
|
|
|
@Injectable()
|
|
export class LoggerService {
|
|
logs: string[] = [];
|
|
prevMsg = '';
|
|
prevMsgCount = 1;
|
|
|
|
log(msg: string) {
|
|
if (msg === this.prevMsg) {
|
|
// Repeat message; update last log entry with count.
|
|
this.logs[this.logs.length - 1] = msg + ` (${this.prevMsgCount += 1}x)`;
|
|
} else {
|
|
// New message; log it.
|
|
this.prevMsg = msg;
|
|
this.prevMsgCount = 1;
|
|
this.logs.push(msg);
|
|
}
|
|
}
|
|
|
|
clear() { this.logs = []; }
|
|
|
|
// schedules a view refresh to ensure display catches up
|
|
tick() { this.tick_then(() => { }); }
|
|
tick_then(fn: () => any) { setTimeout(fn, 0); }
|
|
}
|