-
Notifications
You must be signed in to change notification settings - Fork 42
/
Copy pathcost.ts
784 lines (747 loc) · 30.8 KB
/
cost.ts
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
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
import { Listr, ListrTaskWrapper, ListrRendererFactory } from "listr2";
import { inspect } from "util";
import { faast, FaastModule } from "../index";
import { AwsOptions } from "./aws/aws-faast";
import { FunctionStats, CommonOptions } from "./provider";
import { f1, keysOf, Statistics, sum } from "./shared";
import { throttle } from "./throttle";
import { PropertiesExcept, AnyFunction } from "./types";
/**
* A line item in the cost estimate, including the resource usage metric
* measured and its pricing.
* @public
*/
export class CostMetric {
/** The name of the cost metric, e.g. `functionCallDuration` */
readonly name: string;
/** The price in USD per unit measured. */
readonly pricing: number;
/** The name of the units that pricing is measured in for this metric. */
readonly unit: string;
/** The measured value of the cost metric, in units. */
readonly measured: number;
/**
* The plural form of the unit name. By default the plural form will be the
* name of the unit with "s" appended at the end, unless the last letter is
* capitalized, in which case there is no plural form (e.g. "GB").
*/
readonly unitPlural?: string;
/**
* An optional comment, usually providing a link to the provider's pricing
* page and other data.
*/
readonly comment?: string;
/**
* True if this cost metric is only for informational purposes (e.g. AWS's
* `logIngestion`) and does not contribute cost.
*/
readonly informationalOnly?: boolean;
/** @internal */
constructor(arg: PropertiesExcept<CostMetric, AnyFunction>) {
this.name = arg.name;
this.pricing = arg.pricing;
this.unit = arg.unit;
this.measured = arg.measured;
this.unitPlural = arg.unitPlural;
this.comment = arg.comment;
this.informationalOnly = arg.informationalOnly;
}
/**
* The cost contribution of this cost metric. Equal to
* {@link CostMetric.pricing} * {@link CostMetric.measured}.
*/
cost() {
return this.pricing * this.measured;
}
/**
* Return a string with the cost estimate for this metric, omitting
* comments.
*/
describeCostOnly() {
const p = (n: number, precision = 8) =>
Number.isInteger(n) ? String(n) : n.toFixed(precision);
const getUnit = (n: number) => {
if (n > 1) {
return (
this.unitPlural ||
(!this.unit.match(/[A-Z]$/) ? this.unit + "s" : this.unit)
);
} else {
return this.unit;
}
};
const cost = `$${p(this.cost())}`;
const pricing = `$${p(this.pricing)}/${this.unit}`;
const metric = p(this.measured, this.unit === "second" ? 1 : 8);
const unit = getUnit(this.measured);
return `${this.name.padEnd(21)} ${pricing.padEnd(20)} ${metric.padStart(
12
)} ${unit.padEnd(10)} ${cost.padEnd(14)}`;
}
/** Describe this cost metric, including comments. */
toString() {
return `${this.describeCostOnly()}${
(this.comment && `// ${this.comment}`) || ""
}`;
}
}
/**
* A summary of the costs incurred by a faast.js module at a point in time.
* Output of {@link FaastModule.costSnapshot}.
* @remarks
* Cost information provided by faast.js is an estimate. It is derived from
* internal faast.js measurements and not by consulting data provided by your
* cloud provider.
*
* **Faast.js does not guarantee the accuracy of cost estimates.**
*
* **Use at your own risk.**
*
* Example using AWS:
* ```typescript
* const faastModule = await faast("aws", m);
* try {
* // Invoke faastModule.functions.*
* } finally {
* await faastModule.cleanup();
* console.log(`Cost estimate:`);
* console.log(`${await faastModule.costSnapshot()}`);
* }
* ```
*
* AWS example output:
* ```text
* Cost estimate:
* functionCallDuration $0.00002813/second 0.6 second $0.00001688 68.4% [1]
* sqs $0.00000040/request 9 requests $0.00000360 14.6% [2]
* sns $0.00000050/request 5 requests $0.00000250 10.1% [3]
* functionCallRequests $0.00000020/request 5 requests $0.00000100 4.1% [4]
* outboundDataTransfer $0.09000000/GB 0.00000769 GB $0.00000069 2.8% [5]
* logIngestion $0.50000000/GB 0 GB $0 0.0% [6]
* ---------------------------------------------------------------------------------------
* $0.00002467 (USD)
*
* * Estimated using highest pricing tier for each service. Limitations apply.
* ** Does not account for free tier.
* [1]: https://aws.amazon.com/lambda/pricing (rate = 0.00001667/(GB*second) * 1.6875 GB = 0.00002813/second)
* [2]: https://aws.amazon.com/sqs/pricing
* [3]: https://aws.amazon.com/sns/pricing
* [4]: https://aws.amazon.com/lambda/pricing
* [5]: https://aws.amazon.com/ec2/pricing/on-demand/#Data_Transfer
* [6]: https://aws.amazon.com/cloudwatch/pricing/ - Log ingestion costs not currently included.
* ```
*
* A cost snapshot contains several {@link CostMetric} values. Each `CostMetric`
* summarizes one component of the overall cost of executing the functions so
* far. Some cost metrics are common to all faast providers, and other metrics
* are provider-specific. The common metrics are:
*
* - `functionCallDuration`: the estimated billed CPU time (rounded to the next
* 100ms) consumed by completed cloud function calls. This is the metric that
* usually dominates cost.
*
* - `functionCallRequests`: the number of invocation requests made. Most
* providers charge for each invocation.
*
* Provider-specific metrics vary. For example, AWS has the following additional
* metrics:
*
* - `sqs`: AWS Simple Queueing Service. This metric captures the number of
* queue requests made to insert and retrieve queued results (each 64kb chunk
* is counted as an additional request). SQS is used even if
* {@link CommonOptions.mode} is not set to `"queue"`, because it is necessary
* for monitoring cloud function invocations.
*
* - `sns`: AWS Simple Notification Service. SNS is used to invoke Lambda
* functions when {@link CommonOptions.mode} is `"queue"`.
*
* - `outboundDataTransfer`: an estimate of the network data transferred out
* from the cloud provider for this faast.js module. This estimate only counts
* data returned from cloud function invocations and infrastructure that
* faast.js sets up. It does not count any outbound data sent by your cloud
* functions that are not known to faast.js. Note that if you run faast.js on
* EC2 in the same region (see {@link AwsOptions.region}), then the data
* transfer costs will be zero (however, the cost snapshot will not include
* EC2 costs). Also note that if your cloud function transfers data from/to S3
* buckets in the same region, there is no cost as long as that data is not
* returned from the function.
*
* - `logIngestion`: this cost metric is always zero for AWS. It is present to
* remind the user that AWS charges for log data ingested by CloudWatch Logs
* that are not measured by faast.js. Log entries may arrive significantly
* after function execution completes, and there is no way for faast.js to
* know exactly how long to wait, therefore it does not attempt to measure
* this cost. In practice, if your cloud functions do not perform extensive
* logging on all invocations, log ingestion costs from faast.js are likely to
* be low or fall within the free tier.
*
* The Local provider has no extra metrics.
*
* Prices are retrieved dynamically from AWS and cached locally.
* Cached prices expire after 24h. For each cost metric, faast.js uses the
* highest price tier to compute estimated pricing.
*
* Cost estimates do not take free tiers into account.
* @public
*/
export class CostSnapshot {
/** The function statistics that were used to compute prices. */
readonly stats: FunctionStats;
/**
* The cost metric components for this cost snapshot. See
* {@link CostMetric}.
*/
readonly costMetrics: CostMetric[] = [];
/** @internal */
constructor(
/** The {@link Provider}, e.g. "aws" */
readonly provider: string,
/**
* The options used to initialize the faast.js module where this cost
* snapshot was generated.
*/
readonly options: CommonOptions | AwsOptions,
stats: FunctionStats,
costMetrics: CostMetric[] = []
) {
this.stats = stats.clone();
this.costMetrics = [...costMetrics];
}
/** Sum of cost metrics. */
total() {
return sum(this.costMetrics.map(metric => metric.cost()));
}
/** A summary of all cost metrics and prices in this cost snapshot. */
toString() {
let rv = "";
this.costMetrics.sort((a, b) => b.cost() - a.cost());
const total = this.total();
const comments = [];
const percent = (entry: CostMetric) =>
((entry.cost() / total) * 100).toFixed(1).padStart(5) + "% ";
for (const entry of this.costMetrics) {
let commentIndex = "";
if (entry.comment) {
comments.push(entry.comment);
commentIndex = ` [${comments.length}]`;
}
rv += `${entry.describeCostOnly()}${percent(entry)}${commentIndex}\n`;
}
rv +=
"---------------------------------------------------------------------------------------\n";
rv += `$${this.total().toFixed(8)}`.padStart(78) + " (USD)\n\n";
rv += ` * Estimated using highest pricing tier for each service. Limitations apply.\n`;
rv += ` ** Does not account for free tier.\n`;
rv += comments.map((c, i) => `[${i + 1}]: ${c}`).join("\n");
return rv;
}
/**
* Comma separated value output for a cost snapshot.
* @remarks
* The format is "metric,unit,pricing,measured,cost,percentage,comment".
*
* Example output:
* ```text
* metric,unit,pricing,measured,cost,percentage,comment
* functionCallDuration,second,0.00002813,0.60000000,0.00001688,64.1% ,"https://aws.amazon.com/lambda/pricing (rate = 0.00001667/(GB*second) * 1.6875 GB = 0.00002813/second)"
* functionCallRequests,request,0.00000020,5,0.00000100,3.8% ,"https://aws.amazon.com/lambda/pricing"
* outboundDataTransfer,GB,0.09000000,0.00000844,0.00000076,2.9% ,"https://aws.amazon.com/ec2/pricing/on-demand/#Data_Transfer"
* sqs,request,0.00000040,13,0.00000520,19.7% ,"https://aws.amazon.com/sqs/pricing"
* sns,request,0.00000050,5,0.00000250,9.5% ,"https://aws.amazon.com/sns/pricing"
* logIngestion,GB,0.50000000,0,0,0.0% ,"https://aws.amazon.com/cloudwatch/pricing/ - Log ingestion costs not currently included."
* ```
*/
csv() {
let rv = "";
rv += "metric,unit,pricing,measured,cost,percentage,comment\n";
const total = this.total();
const p = (n: number) => (Number.isInteger(n) ? n : n.toFixed(8));
const percent = (entry: CostMetric) =>
((entry.cost() / total) * 100).toFixed(1) + "% ";
for (const entry of this.costMetrics) {
rv += `${entry.name},${entry.unit},${p(entry.pricing)},${p(
entry.measured
)},${p(entry.cost())},${percent(entry)},"${(entry.comment || "").replace(
'"',
'""'
)}"\n`;
}
return rv;
}
/** @internal */
push(metric: CostMetric) {
this.costMetrics.push(metric);
}
/**
* Find a specific cost metric by name.
* @returns a {@link CostMetric} if found, otherwise `undefined`.
*/
find(name: string) {
return this.costMetrics.find(m => m.name === name);
}
}
/**
* Analyze the cost of a workload across many provider configurations.
* @public
*/
export namespace CostAnalyzer {
/**
* An input to {@link CostAnalyzer.analyze}, specifying one
* configuration of faast.js to run against a workload. See
* {@link AwsOptions}.
* @public
*/
export type Configuration = {
provider: "aws";
options: AwsOptions;
};
/**
* Default AWS cost analyzer configurations include all memory sizes for AWS
* Lambda.
* @remarks
* The default AWS cost analyzer configurations include every memory size
* from 128MB to 3008MB in 64MB increments. Each configuration has the
* following settings:
*
* ```typescript
* {
* provider: "aws",
* options: {
* mode: "https",
* memorySize,
* timeout: 300,
* gc: "off",
* childProcess: true
* }
* }
* ```
*
* Use `Array.map` to change or `Array.filter` to remove some of these
* configurations. For example:
*
* ```typescript
* const configsWithAtLeast1GB = awsConfigurations.filter(c => c.memorySize > 1024)
* const shorterTimeout = awsConfigurations.map(c => ({...c, timeout: 60 }));
* ```
* @public
*/
export const awsConfigurations: Configuration[] = (() => {
const rv: Configuration[] = [];
for (let memorySize = 128; memorySize <= 3008; memorySize += 64) {
rv.push({
provider: "aws",
options: {
mode: "https",
memorySize,
timeout: 300,
gc: "off",
childProcess: true
}
});
}
return rv;
})();
/**
* User-defined custom metrics for a workload. These are automatically
* summarized in the output; see {@link CostAnalyzer.Workload}.
* @public
*/
export type WorkloadAttribute<A extends string> = { [attr in A]: number };
/**
* A user-defined cost analyzer workload for {@link CostAnalyzer.analyze}.
* @public
* Example:
*/
export interface Workload<T extends object, A extends string> {
/**
* The imported module that contains the cloud functions to test.
*/
funcs: T;
/**
* A function that executes cloud functions on
* `faastModule.functions.*`. The work function should return `void` if
* there are no custom workload attributes. Otherwise, it should return
* a {@link CostAnalyzer.WorkloadAttribute} object which maps
* user-defined attribute names to numerical values for the workload.
* For example, this might measure bandwidth or some other metric not
* tracked by faast.js, but are relevant for evaluating the
* cost-performance tradeoff of the configurations analyzed by the cost
* analyzer.
*/
work: (faastModule: FaastModule<T>) => Promise<WorkloadAttribute<A> | void>;
/**
* An array of configurations to run the work function against (see
* {@link CostAnalyzer.Configuration}). For example, each entry in the
* array may specify a provider, memory size, and other options.
* Default: {@link CostAnalyzer.awsConfigurations}.
*/
configurations?: Configuration[];
/**
* Combine {@link CostAnalyzer.WorkloadAttribute} instances returned
* from multiple workload executions (caused by value of
* {@link CostAnalyzer.Workload.repetitions}). The default is a function
* that takes the average of each attribute.
*/
summarize?: (summaries: WorkloadAttribute<A>[]) => WorkloadAttribute<A>;
/**
* Format an attribute value for console output. This is displayed by
* the cost analyzer when all of the repetitions for a configuration
* have completed. The default returns
* `${attribute}:${value.toFixed(1)}`.
*/
format?: (attr: A, value: number) => string;
/**
* Format an attribute value for CSV. The default returns
* `value.toFixed(1)`.
*/
formatCSV?: (attr: A, value: number) => string;
/**
* If true, do not output live results to the console. Can be useful for
* running the cost analyzer as part of automated tests. Default: false.
*/
silent?: boolean;
/**
* The number of repetitions to run the workload for each cost analyzer
* configuration. Higher repetitions help reduce the jitter in the
* results. Repetitions execute in the same FaastModule instance.
* Default: 10.
*/
repetitions?: number;
/**
* The amount of concurrency to allow. Concurrency can arise from
* multiple repetitions of the same configuration, or concurrenct
* executions of different configurations. This concurrency limit
* throttles the total number of concurrent workload executions across
* both of these sources of concurrency. Default: 64.
*/
concurrency?: number;
}
const workloadDefaults = {
configurations: awsConfigurations,
summarize: summarizeMean,
format: defaultFormat,
formatCSV: defaultFormatCSV,
silent: false,
repetitions: 10,
concurrency: 64
};
function defaultFormat(attr: string, value: number) {
return `${attr}:${f1(value)}`;
}
function defaultFormatCSV(_: string, value: number) {
return f1(value);
}
const ps = (n: number) => (n / 1000).toFixed(3);
function summarizeMean<A extends string>(attributes: WorkloadAttribute<A>[]) {
const stats: { [attr: string]: Statistics } = {};
attributes.forEach(a =>
keysOf(a).forEach(attr => {
if (!(attr in stats)) {
stats[attr] = new Statistics();
}
stats[attr].update(a[attr]);
})
);
const result = {} as any;
keysOf(stats).forEach(attr => {
result[attr] = stats[attr].mean;
});
return result;
}
/**
* A cost estimate result for a specific cost analyzer configuration.
* @public
*/
export interface Estimate<A extends string> {
/**
* The cost snapshot for the cost analysis of the specific (workload,
* configuration) combination. See {@link CostSnapshot}.
*/
costSnapshot: CostSnapshot;
/**
* The worload configuration that was analyzed. See
* {@link CostAnalyzer.Configuration}.
*/
config: Configuration;
/**
* Additional workload metrics returned from the work function. See
* {@link CostAnalyzer.WorkloadAttribute}.
*/
extraMetrics: WorkloadAttribute<A>;
}
async function estimate<T extends object, K extends string>(
workload: Required<Workload<T, K>>,
config: Configuration
): Promise<Estimate<K>> {
const { provider, options } = config;
const faastModule = await faast(provider, workload.funcs, options);
const { repetitions, concurrency: repetitionConcurrency } = workload;
const doWork = throttle({ concurrency: repetitionConcurrency }, workload.work);
const results: Promise<WorkloadAttribute<K> | void>[] = [];
for (let i = 0; i < repetitions; i++) {
results.push(doWork(faastModule).catch(_ => {}));
}
const rv = (await Promise.all(results)).filter(r => r) as WorkloadAttribute<K>[];
await faastModule.cleanup();
const costSnapshot = await faastModule.costSnapshot();
const extraMetrics = workload.summarize(rv);
return { costSnapshot, config, extraMetrics };
}
/**
* Estimate the cost of a workload using multiple configurations and
* providers.
* @param userWorkload - a {@link CostAnalyzer.Workload} object specifying
* the workload to run and additional parameters.
* @returns A promise for a {@link CostAnalyzer.Result}
* @public
* @remarks
* It can be deceptively difficult to set optimal parameters for AWS Lambda
* and similar services. On the surface there appears to be only one
* parameter: memory size. Choosing more memory also gives more CPU
* performance, but it's unclear how much. It's also unclear where single
* core performance stops getting better. The workload cost analyzer solves
* these problems by making it easy to run cost experiments.
* ```text
* (AWS)
* ┌───────┐
* ┌────▶│ 128MB │
* │ └───────┘
* │ ┌───────┐
* ┌─────────────────┐ ├────▶│ 256MB │
* ┌──────────────┐ │ │ │ └───────┘
* │ workload │───▶│ │ │ ...
* └──────────────┘ │ │ │ ┌───────┐
* │ cost analyzer │─────┼────▶│3008MB │
* ┌──────────────┐ │ │ └───────┘
* │configurations│───▶│ │
* └──────────────┘ │ │
* └─────────────────┘
*
* ```
* `costAnalyzer` is the entry point. It automatically runs this workload
* against multiple configurations in parallel. Then it uses faast.js' cost
* snapshot mechanism to automatically determine the price of running the
* workload with each configuration.
*
* Example:
*
* ```typescript
* // functions.ts
* export function randomNumbers(n: number) {
* let sum = 0;
* for (let i = 0; i < n; i++) {
* sum += Math.random();
* }
* return sum;
* }
*
* // cost-analyzer-example.ts
* import { writeFileSync } from "fs";
* import { CostAnalyzer, FaastModule } from "faastjs";
* import * as funcs from "./functions";
*
* async function work(faastModule: FaastModule<typeof funcs>) {
* await faastModule.functions.randomNumbers(100000000);
* }
*
* async function main() {
* const results = await CostAnalyzer.analyze({ funcs, work });
* writeFileSync("cost.csv", results.csv());
* }
*
* main();
* ```
*
* Example output (this is printed to `console.log` unless the
* {@link CostAnalyzer.Workload.silent} is `true`):
* ```text
* ✔ aws 128MB queue 15.385s 0.274σ $0.00003921
* ✔ aws 192MB queue 10.024s 0.230σ $0.00003576
* ✔ aws 256MB queue 8.077s 0.204σ $0.00003779
* ▲ ▲ ▲ ▲ ▲ ▲
* │ │ │ │ │ │
* provider │ mode │ stdev average
* │ │ execution estimated
* memory │ time cost
* size │
* average cloud
* execution time
* ```
*
* The output lists the provider, memory size, ({@link CommonOptions.mode}),
* average time of a single execution of the workload, the standard
* deviation (in seconds) of the execution time, and average estimated cost
* for a single run of the workload.
*
* The "execution time" referenced here is not wall clock time, but rather
* execution time in the cloud function. The execution time does not include
* any time the workload spends waiting locally. If the workload invokes
* multiple cloud functions, their execution times will be summed even if
* they happen concurrently. This ensures the execution time and cost are
* aligned.
*/
export async function analyze<T extends object, A extends string>(
userWorkload: Workload<T, A>
) {
const scheduleEstimate = throttle<
[Required<Workload<T, A>>, Configuration],
Estimate<A>
>(
{
concurrency: 8,
rate: 4,
burst: 1,
retry: 3
},
estimate
);
const { concurrency = workloadDefaults.concurrency } = userWorkload;
const workload: Required<Workload<T, A>> = {
...workloadDefaults,
...userWorkload,
work: throttle({ concurrency }, userWorkload.work)
};
const { configurations } = workload;
const promises = configurations.map(config => scheduleEstimate(workload, config));
const format = workload.format || defaultFormat;
const renderer = workload.silent ? "silent" : "default";
const list = new Listr(
promises.map((promise, i) => {
const { provider, options } = configurations[i];
const { memorySize, mode } = options;
return {
title: `${provider} ${memorySize}MB ${mode}`,
task: async (_: any, task: ListrTaskWrapper<any, ListrRendererFactory, ListrRendererFactory>) => {
const { costSnapshot, extraMetrics } = await promise;
const total = (
costSnapshot.total() / workload.repetitions
).toFixed(8);
const { errors } = costSnapshot.stats;
const { executionTime } = costSnapshot.stats;
const message = `${ps(executionTime.mean)}s ${ps(
executionTime.stdev
)}σ $${total}`;
const errMessage = errors > 0 ? ` (${errors} errors)` : "";
const extra = keysOf(extraMetrics)
.map(k => format(k, extraMetrics[k]))
.join(" ");
task.title = `${task.title} ${message}${errMessage} ${extra}`;
}
};
}),
{ concurrent: 8, fallbackRenderer: renderer, renderer }
);
await list.run();
const results = await Promise.all(promises);
results.sort(
(a, b) =>
a.costSnapshot.options.memorySize! - b.costSnapshot.options.memorySize!
);
return new Result(workload, results);
}
/**
* Cost analyzer results for each workload and configuration.
* @remarks
* The `estimates` property has the cost estimates for each configuration.
* See {@link CostAnalyzer.Estimate}.
* @public
*/
export class Result<T extends object, A extends string> {
/** @internal */
constructor(
/** The workload analyzed. */
readonly workload: Required<Workload<T, A>>,
/**
* Cost estimates for each configuration of the workload. See
* {@link CostAnalyzer.Estimate}.
*/
readonly estimates: Estimate<A>[]
) {}
/**
* Comma-separated output of cost analyzer. One line per cost analyzer
* configuration.
* @remarks
* The columns are:
*
* - `memory`: The memory size allocated.
*
* - `cloud`: The cloud provider.
*
* - `mode`: See {@link CommonOptions.mode}.
*
* - `options`: A string summarizing other faast.js options applied to the
* `workload`. See {@link CommonOptions}.
*
* - `completed`: Number of repetitions that successfully completed.
*
* - `errors`: Number of invocations that failed.
*
* - `retries`: Number of retries that were attempted.
*
* - `cost`: The average cost of executing the workload once.
*
* - `executionTime`: the aggregate time spent executing on the provider for
* all cloud function invocations in the workload. This is averaged across
* repetitions.
*
* - `executionTimeStdev`: The standard deviation of `executionTime`.
*
* - `billedTime`: the same as `exectionTime`, except rounded up to the next
* 100ms for each invocation. Usually very close to `executionTime`.
*/
csv() {
const attributes = new Set<A>();
this.estimates.forEach(est =>
keysOf(est.extraMetrics).forEach(key => attributes.add(key))
);
const columns = [
"memory",
"cloud",
"mode",
"options",
"completed",
"errors",
"retries",
"cost",
"executionTime",
"executionTimeStdev",
"billedTime",
...attributes
];
let rv = columns.join(",") + "\n";
this.estimates.forEach(({ costSnapshot, extraMetrics }) => {
const { memorySize, mode, ...rest } = costSnapshot.options;
const options = `"${inspect(rest).replace('"', '""')}"`;
const { completed, errors, retries, executionTime, estimatedBilledTime } =
costSnapshot.stats;
const cost = (costSnapshot.total() / this.workload.repetitions).toFixed(
8
);
const formatter = this.workload.formatCSV || defaultFormatCSV;
const metrics: { [attr in string]: string } = {};
for (const attr of attributes) {
metrics[attr] = formatter(attr, extraMetrics[attr]);
}
const row = {
memory: memorySize,
cloud: costSnapshot.provider,
mode,
options,
completed,
errors,
retries,
cost: `$${cost}`,
executionTime: ps(executionTime.mean),
executionTimeStdev: ps(executionTime.stdev),
billedTime: ps(estimatedBilledTime.mean),
...metrics
};
rv += keysOf(row)
.map(k => String(row[k]))
.join(",");
rv += "\n";
});
return rv;
}
}
}