JobStatistics.ts 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889
  1. export enum JobStatisticsType {
  2. SUCCESSFUL = "successful",
  3. FAILED = "failed",
  4. TOTAL = "total",
  5. CONSTRUCTED = "constructed",
  6. QUEUED = "queued",
  7. DURATION = "duration"
  8. }
  9. export type JobStatistic = Record<
  10. Exclude<JobStatisticsType, "duration"> | "averageTime" | "totalTime",
  11. number
  12. >;
  13. export class JobStatistics {
  14. private _stats: Record<string, JobStatistic>;
  15. public constructor() {
  16. this._stats = {};
  17. }
  18. /**
  19. * getStats - Get statistics of job queue
  20. *
  21. * @returns Job queue statistics
  22. */
  23. public getStats(): Record<string | "total", JobStatistic> {
  24. const total = Object.values(this._stats).reduce(
  25. (a, b) => ({
  26. successful: a.successful + b.successful,
  27. failed: a.failed + b.failed,
  28. total: a.total + b.total,
  29. constructed: a.constructed + b.constructed,
  30. queued: a.queued + b.queued,
  31. averageTime: -1,
  32. totalTime: a.totalTime + b.totalTime
  33. }),
  34. {
  35. successful: 0,
  36. failed: 0,
  37. total: 0,
  38. constructed: 0,
  39. queued: 0,
  40. averageTime: -1,
  41. totalTime: 0
  42. }
  43. );
  44. total.averageTime = total.totalTime / total.total;
  45. return {
  46. ...this._stats,
  47. total
  48. };
  49. }
  50. /**
  51. * updateStats - Update job statistics
  52. *
  53. * @param jobName - Job name
  54. * @param type - Stats type
  55. * @param duration - Duration of job, for average time stats
  56. */
  57. public updateStats(
  58. jobName: string,
  59. type: JobStatisticsType,
  60. duration?: number
  61. ) {
  62. if (!this._stats[jobName])
  63. this._stats[jobName] = {
  64. successful: 0,
  65. failed: 0,
  66. total: 0,
  67. constructed: 0,
  68. queued: 0,
  69. averageTime: 0,
  70. totalTime: 0
  71. };
  72. if (type === "duration") {
  73. if (!duration) throw new Error("No duration specified");
  74. this._stats[jobName].totalTime += duration;
  75. this._stats[jobName].averageTime =
  76. this._stats[jobName].totalTime / this._stats[jobName].total;
  77. } else this._stats[jobName][type] += 1;
  78. }
  79. }
  80. export default new JobStatistics();