-
Notifications
You must be signed in to change notification settings - Fork 26
/
Copy pathapi_types.ts
1402 lines (1276 loc) · 46.4 KB
/
api_types.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
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import type {$Values} from './type_utils';
import type {ArraySchema} from './schema';
import type {Assert} from './type_utils';
import type {AuthenticationDef} from './types';
import type {Continuation} from './api';
import type {HttpStatusCode} from './types';
import type {MetadataContext} from './api';
import type {MetadataFormula} from './api';
import type {ObjectSchemaProperty} from './schema';
import type {Schema} from './schema';
/**
* Markers used internally to represent data types for parameters and return values.
* It should not be necessary to ever use these values directly.
*
* When defining a parameter, use {@link ParameterType}. When defining
* a formula return value, or properties within an object return value,
* use {@link ValueType}.
*/
export enum Type {
string,
number,
object,
boolean,
date,
html,
image,
file,
markdown,
}
export type ParamType = Exclude<Type, Type.object>;
/**
* The type of a parameter or return value that is an array.
*/
export interface ArrayType<T extends Type> {
/** Identifies this type as an array. */
type: 'array';
/** The type of the items in this array. */
items: T;
/** If true, this array will accept empty or unrecognized values as `undefined`. */
allowEmpty?: boolean;
}
export interface SparseArrayType<T extends Type> extends ArrayType<T> {
allowEmpty: true;
}
export function isArrayType(obj: any): obj is ArrayType<any> {
return obj && obj.type === 'array' && typeof obj.items === 'number';
}
export type UnionType = ArrayType<Type> | Type;
/** @deprecated */
export const stringArray: ArrayType<Type.string> = {
type: 'array',
items: Type.string,
};
/** @deprecated */
export const numberArray: ArrayType<Type.number> = {
type: 'array',
items: Type.number,
};
/** @deprecated */
export const booleanArray: ArrayType<Type.boolean> = {
type: 'array',
items: Type.boolean,
};
/** @deprecated */
export const dateArray: ArrayType<Type.date> = {
type: 'array',
items: Type.date,
};
/** @deprecated */
export const htmlArray: ArrayType<Type.html> = {
type: 'array',
items: Type.html,
};
/** @deprecated */
export const imageArray: ArrayType<Type.image> = {
type: 'array',
items: Type.image,
};
/** @deprecated */
export const fileArray: ArrayType<Type.file> = {
type: 'array',
items: Type.file,
};
// Mapping from our type enum to the JS types they are manifested as.
export interface TypeMap {
[Type.number]: number;
[Type.string]: string;
[Type.object]: object;
[Type.boolean]: boolean;
[Type.date]: Date;
[Type.html]: string;
[Type.image]: string;
[Type.file]: string;
[Type.markdown]: string;
}
/**
* The union of types for arguments to the `execute` function for a formula.
*/
export type PackFormulaValue = $Values<Omit<TypeMap, Type.object>> | PackFormulaValue[];
/**
* The union of types that can be returned by the `execute` function for a formula.
*/
export type PackFormulaResult = $Values<TypeMap> | PackFormulaResult[];
export type TypeOf<T extends PackFormulaResult> = T extends number
? Type.number
: T extends string
? Type.string
: T extends boolean
? Type.boolean
: T extends Date
? Type.date
: T extends object
? Type.object
: never;
/**
* Enumeration of types of formula parameters. These describe Coda value types (as opposed to JavaScript value types).
*/
export enum ParameterType {
/**
* Indicates a parameter that is a Coda text value.
*/
String = 'string',
/**
* Indicates a parameter that is a Coda number value.
*/
Number = 'number',
/**
* Indicates a parameter that is a Coda boolean value.
*/
Boolean = 'boolean',
/**
* Indicates a parameter that is a Coda date value (which includes time and datetime values).
*/
Date = 'date',
/**
* Indicates a parameter that is a Coda rich text value that should be passed to the pack as HTML.
*/
Html = 'html',
/**
* Indicates a parameter that is a Coda image. The pack is passed an image URL.
*/
Image = 'image',
/**
* Indicates a parameter that is a Coda file. The pack is passed a file URL.
*/
File = 'file',
/**
* Indicates a parameter that is a Coda rich text value that should be passed to the pack as Markdown.
*/
Markdown = 'markdown',
/**
* Indicates a parameter that is a list of Coda text values.
*/
StringArray = 'stringArray',
/**
* {@link StringArray} that accepts unparsable values as `undefined`.
*/
SparseStringArray = 'sparseStringArray',
/**
* Indicates a parameter that is a list of Coda number values.
*/
NumberArray = 'numberArray',
/**
* {@link NumberArray} that accepts unparsable values as `undefined`.
*/
SparseNumberArray = 'sparseNumberArray',
/**
* Indicates a parameter that is a list of Coda boolean values.
*/
BooleanArray = 'booleanArray',
/**
* {@link BooleanArray} that accepts unparsable values as `undefined`.
*/
SparseBooleanArray = 'sparseBooleanArray',
/**
* Indicates a parameter that is a list of Coda date values (which includes time and datetime values).
*
* Currently, when such a parameter is used with a sync table formula or an action formula
* ({@link BaseFormulaDef.isAction}), which will generate a builder UI for selecting parameters, a date array
* parameter will always render as a date range selector. A date range will always be passed to a pack formula
* as a list of two elements, the beginning of the range and the end of the range.
*/
DateArray = 'dateArray',
/**
* {@link DateArray} that accepts unparsable values as `undefined`.
*/
SparseDateArray = 'sparseDateArray',
/**
* Indicates a parameter that is a list of Coda rich text values that should be passed to the pack as HTML.
*/
HtmlArray = 'htmlArray`',
/**
* {@link HtmlArray} that accepts unparsable values as `undefined`.
*/
SparseHtmlArray = 'sparseHtmlArray',
/**
* Indicates a parameter that is a list of Coda image values. The pack is passed a list of image URLs.
*/
ImageArray = 'imageArray',
/**
* {@link ImageArray} that accepts unparsable values as `undefined`.
*/
SparseImageArray = 'sparseImageArray',
/**
* Indicates a parameter that is a list of Coda file values. The pack is passed a list of file URLs.
*/
FileArray = 'fileArray',
/**
* {@link FileArray} that accepts unparsable values as `undefined`.
*/
SparseFileArray = 'sparseFileArray',
/**
* Indicates a parameter that is a list of Coda rich text values that should be passed to the pack as Markdown.
*/
MarkdownArray = 'markdownArray`',
/**
* {@link MarkdownArray} that accepts unparsable values as `undefined`.
*/
SparseMarkdownArray = 'sparseMarkdownArray',
}
export interface ParameterTypeMap {
[ParameterType.String]: Type.string;
[ParameterType.Number]: Type.number;
[ParameterType.Boolean]: Type.boolean;
[ParameterType.Date]: Type.date;
[ParameterType.Html]: Type.html;
[ParameterType.Image]: Type.image;
[ParameterType.File]: Type.file;
[ParameterType.Markdown]: Type.markdown;
[ParameterType.StringArray]: ArrayType<Type.string>;
[ParameterType.NumberArray]: ArrayType<Type.number>;
[ParameterType.BooleanArray]: ArrayType<Type.boolean>;
[ParameterType.DateArray]: ArrayType<Type.date>;
[ParameterType.HtmlArray]: ArrayType<Type.html>;
[ParameterType.ImageArray]: ArrayType<Type.image>;
[ParameterType.FileArray]: ArrayType<Type.file>;
[ParameterType.MarkdownArray]: ArrayType<Type.markdown>;
[ParameterType.SparseStringArray]: SparseArrayType<Type.string>;
[ParameterType.SparseNumberArray]: SparseArrayType<Type.number>;
[ParameterType.SparseBooleanArray]: SparseArrayType<Type.boolean>;
[ParameterType.SparseDateArray]: SparseArrayType<Type.date>;
[ParameterType.SparseHtmlArray]: SparseArrayType<Type.html>;
[ParameterType.SparseImageArray]: SparseArrayType<Type.image>;
[ParameterType.SparseFileArray]: SparseArrayType<Type.file>;
[ParameterType.SparseMarkdownArray]: SparseArrayType<Type.markdown>;
}
export const ParameterTypeInputMap: Record<ParameterType, UnionType> = {
[ParameterType.String]: Type.string,
[ParameterType.Number]: Type.number,
[ParameterType.Boolean]: Type.boolean,
[ParameterType.Date]: Type.date,
[ParameterType.Html]: Type.html,
[ParameterType.Image]: Type.image,
[ParameterType.File]: Type.file,
[ParameterType.Markdown]: Type.markdown,
[ParameterType.StringArray]: {type: 'array', items: Type.string},
[ParameterType.NumberArray]: {type: 'array', items: Type.number},
[ParameterType.BooleanArray]: {type: 'array', items: Type.boolean},
[ParameterType.DateArray]: {type: 'array', items: Type.date},
[ParameterType.HtmlArray]: {type: 'array', items: Type.html},
[ParameterType.ImageArray]: {type: 'array', items: Type.image},
[ParameterType.FileArray]: {type: 'array', items: Type.file},
[ParameterType.MarkdownArray]: {type: 'array', items: Type.markdown},
[ParameterType.SparseStringArray]: {type: 'array', items: Type.string, allowEmpty: true},
[ParameterType.SparseNumberArray]: {type: 'array', items: Type.number, allowEmpty: true},
[ParameterType.SparseBooleanArray]: {type: 'array', items: Type.boolean, allowEmpty: true},
[ParameterType.SparseDateArray]: {type: 'array', items: Type.date, allowEmpty: true},
[ParameterType.SparseHtmlArray]: {type: 'array', items: Type.html, allowEmpty: true},
[ParameterType.SparseImageArray]: {type: 'array', items: Type.image, allowEmpty: true},
[ParameterType.SparseFileArray]: {type: 'array', items: Type.file, allowEmpty: true},
[ParameterType.SparseMarkdownArray]: {type: 'array', items: Type.markdown, allowEmpty: true},
};
/**
* The definition of a formula parameter.
*/
export interface ParamDef<T extends UnionType> {
/**
* The name of the parameter, which will be shown to the user when invoking this formula.
*/
name: string;
/**
* The data type of this parameter (string, number, etc).
*/
type: T;
/**
* A brief description of what this parameter is used for, shown to the user when invoking the formula.
*/
description: string;
/**
* Whether this parameter can be omitted when invoking the formula.
* All optional parameters must come after all non-optional parameters.
*/
optional?: boolean;
/**
* A {@link MetadataFormula} that returns valid values for this parameter, optionally matching a search
* query. This can be useful both if there are a fixed number of valid values for the parameter,
* or if the valid values from the parameter can be looked up from some API.
* Use {@link makeMetadataFormula} to wrap a function that implements your autocomplete logic.
* Typically once you have fetched the list of matching values, you'll use
* {@link autocompleteSearchObjects} to handle searching over those values.
* If you have a hardcoded list of valid values, you would only need to use
* {@link makeSimpleAutocompleteMetadataFormula}.
*/
// TODO: Allow authors to optionally specify an array of string or array of display/value pairs here
// and we'll wrap this into an autocomplete formula on their behalf.
autocomplete?: MetadataFormula;
/**
* @deprecated This will be removed in a future version of the SDK. Use {@link ParamDef.suggestedValue} instead.
*/
defaultValue?: SuggestedValueType<T>;
/**
* The suggested value to be prepopulated for this parameter if it is not specified by the user.
*/
suggestedValue?: SuggestedValueType<T>;
/**
* In ingestions, where we want to load *all* data available, the {@link ParamDef.suggestedValue}
* will not be ideal, as most use cases will prefer efficiency over completeness.
* Use this field to specify a default value for ingestions.
*
* @hidden
*/
// TODO(patrick): Unhide this
ingestionSuggestedValue?: SuggestedValueType<T>;
/**
* @deprecated Use {@link ParamDef.ingestionSuggestedValue} instead.
* @hidden
*/
fullSyncSuggestedValue?: SuggestedValueType<T>;
/**
* An array of Precanned values that are valid for this parameter. Users will also be allowed to
* enter custom values.
*
* Only supported for Date & DateArray parameters.
*
* @hidden
*/
// TODO(patrick): Unhide this
allowedPresetValues?: Array<SuggestedValueType<T>>;
/**
* For a parameter that has an autocomplete providing options, or one that uses an allowedPresetValues
* list, this setting controls whether the user is given an option to enter a custom value.
*
* Pack code cannot completely assume it will never see other values, though. For example, if this
* parameter's value is being set via a formula (instead of a user manually picking a value from
* Coda's UI), Coda will do nothing to validate that input before passing it to the pack.
*
* Defaults to true.
*
* Not yet fully supported.
*
* @hidden
*/
// TODO(patrick): Unhide this
allowManualInput?: boolean;
// TODO(patrick): Unhide this
/** @hidden */
crawlStrategy?: CrawlStrategy;
/**
* Whether this parameter is compatible with incremental sync.
* If not, it will be hidden from crawl setup UIs.
*/
// TODO(ebo): Unhide this
/** @hidden */
supportsIncrementalSync?: boolean;
}
/**
* Marker type for an optional {@link ParamDef}, used internally.
*/
export interface OptionalParamDef<T extends UnionType> extends ParamDef<T> {
optional: true;
}
/**
* Marker type for a Required {@link ParamDef}, used internally.
*/
export interface RequiredParamDef<T extends UnionType> extends ParamDef<T> {
optional?: false;
}
/** @hidden */
export type ParamArgs<T extends UnionType> = Omit<ParamDef<T>, 'description' | 'name' | 'type'>;
/**
* The type for the complete set of parameter definitions for a formula.
*/
export type ParamDefs = [ParamDef<UnionType>, ...Array<ParamDef<UnionType>>] | [];
// TODO(jonathan): See if we can get rid of this, it seems just like ParamDefs
// but less specific. It's only use on the `coda` side and ParamDefs might work just as well.
/** @hidden */
export type ParamsList = Array<ParamDef<UnionType>>;
type TypeOfMap<T extends UnionType> = T extends Type
? TypeMap[T]
: T extends ArrayType<infer V>
? T extends SparseArrayType<infer V>
? Array<TypeMap[V] | undefined>
: Array<TypeMap[V]>
: never;
/**
* The type for the set of argument values that are passed to formula's `execute` function, based on
* the parameter definition for that formula.
*/
export type ParamValues<ParamDefsT extends ParamDefs> = {
[K in keyof ParamDefsT]: ParamDefsT[K] extends RequiredParamDef<infer S>
? TypeOfMap<S>
: ParamDefsT[K] extends ParamDef<infer S>
? TypeOfMap<S> | undefined
: never;
} & any[]; // NOTE(oleg): we need this to avoid "must have a '[Symbol.iterator]()' method that returns an iterator."
/**
* The type of values that are allowable to be used as a {@link ParamDef.suggestedValue} for a parameter.
*/
export type SuggestedValueType<T extends UnionType> = T extends ArrayType<Type.date>
? TypeOfMap<T> | PrecannedDateRange
: TypeOfMap<T>;
// TODO(patrick): Unhide this
/** @hidden */
export interface CrawlStrategy {
parentTable?: SyncTableRelation;
}
/**
* A pointer to a particular property in another sync table.
*/
interface SyncTableRelation {
tableName: string;
propertyKey: string;
/**
* Indiciates that permissions should be inherited from this relation using the propertyKey as the item id
*
* @deprecated use `ParentDefinition` instead
*/
inheritPermissions?: boolean;
}
/**
* Inputs for creating a formula that are common between regular formulas and sync table formulas.
*/
export interface CommonPackFormulaDef<T extends ParamDefs> {
/**
* The name of the formula, used to invoke it.
*/
readonly name: string;
/**
* A brief description of what the formula does.
*/
readonly description: string;
/**
* The parameter inputs to the formula, if any.
*/
readonly parameters: T;
/**
* Variable argument parameters, used if this formula should accept arbitrary
* numbers of inputs.
*/
readonly varargParameters?: ParamDefs;
/**
* Sample inputs and outputs demonstrating usage of this formula.
*/
readonly examples?: Array<{params: Array<PackFormulaValue | undefined>; result: PackFormulaResult}>;
/**
* Does this formula take an action (vs retrieve data or make a calculation)?
* Actions are presented as buttons in the Coda UI.
*/
readonly isAction?: boolean;
/**
* Does this formula require a connection (aka an account)?
*/
readonly connectionRequirement?: ConnectionRequirement;
/** @deprecated use `isAction` and `connectionRequirement` instead */
readonly network?: Network;
/**
* How long formulas running with the same values should cache their results for.
*/
readonly cacheTtlSecs?: number;
/**
* If specified, the formula will not be suggested to users in Coda's formula autocomplete.
* The formula can still be invoked by manually typing its full name.
*/
readonly isExperimental?: boolean;
/**
* Whether this is a formula that will be used by Coda internally and not exposed directly to users.
* Not for use by packs that are not authored by Coda.
*/
readonly isSystem?: boolean;
/**
* OAuth scopes that the formula needs that weren't requested in the pack's overall authentication
* config. For example, a Slack pack can have one formula that needs admin privileges, but non-admins
* can use the bulk of the pack without those privileges. Coda will give users help in understanding
* that they need additional authentication to use a formula with extra OAuth scopes. Note that
* these scopes will always be requested in addition to the default scopes for the pack,
* so an end user must have both sets of permissions.
*/
readonly extraOAuthScopes?: string[];
/**
* Without this set, any authentication of the pack will be allowed to invoke this formula.
*
* This property is not allowed if connectionRequirement is None.
*
* @hidden
*/
readonly allowedAuthenticationNames?: string[];
}
/**
* Enumeration of requirement states for whether a given formula or sync table requires
* a connection (account) to use.
*/
export enum ConnectionRequirement {
/**
* Indicates this building block does not make use of an account.
*/
None = 'none',
/**
* Indicates that this building block can be used with or without an account.
*
* An optional parameter will be added to the formula (or sync formula) for the calling user
* to specify an account to use.
*/
Optional = 'optional',
/**
* Indicates that this building block must be used with an account.
*
* A required parameter will be added to the formula (or sync formula) for the calling user
* to specify an account to use.
*/
Required = 'required',
}
/**
* A full definition of a pack's user authentication settings, used in
* {@link PackDefinitionBuilder.setUserAuthentication}.
*/
export type UserAuthenticationDef = AuthenticationDef & {
/**
* It can be annoying to set `connectionRequirement` on every building block in a Pack.
* Use this setting in your Pack's auth settings to quickly say "every building block
* in this Pack requires an account". Without a connectionRequirement, building blocks
* will be assumed to not need account connections.
*/
defaultConnectionRequirement?: ConnectionRequirement;
};
/** @deprecated use `ConnectionRequirement` instead */
export enum NetworkConnection {
None = 'none',
Optional = 'optional',
Required = 'required',
}
/** @deprecated use `isAction` and `connectionRequirement` on the formula definition instead. */
export interface Network {
readonly hasSideEffect?: boolean;
readonly requiresConnection?: boolean;
readonly connection?: NetworkConnection;
}
/** The HTTP methods (verbs) supported by the fetcher. */
export const ValidFetchMethods = ['GET', 'PATCH', 'POST', 'PUT', 'DELETE', 'HEAD'] as const;
/** The type of the HTTP methods (verbs) supported by the fetcher. */
export type FetchMethodType = (typeof ValidFetchMethods)[number];
/**
* An HTTP request used with the {@link Fetcher}.
*
* The structure largely follows https://developer.mozilla.org/en-US/docs/Web/API/Request
*/
export interface FetchRequest {
/** The HTTP method/verb (e.g. GET or POST). */
method: FetchMethodType;
/**
* The URL to connect to. This is typically an absolute URL, but if your
* pack uses authentication and {@link BaseAuthentication.requiresEndpointUrl} and so has a unique
* endpoint per user account, you may also use a relative URL and Coda will
* apply the user's endpoint automatically.
*/
url: string;
/**
* The body of the HTTP request, if any.
*
* If you are sending a JSON payload, make sure to call `JSON.stringify()` on the object payload.
*/
body?: string | Buffer;
/**
* Key-value form fields, if submitting to an endpoint expecting a URL-encoded form payload.
*/
form?: {[key: string]: string};
/**
* HTTP headers. You should NOT include authentication headers, as Coda will add them for you.
*/
headers?: {[header: string]: string};
/**
* A time in seconds that Coda should cache the result of this HTTP request.
*
* Any time that this pack makes the same FetchRequest, a cached value can be returned
* instead of making the HTTP request. If left unspecified, Coda will automatically
* cache all GET requests for approximately 5 minutes. To disable the default caching,
* set this value to `0`.
*
* If you are trying to cache a POST, PUT, PATCH, or DELETE request, you must also
* set {@link FetchRequest.forceCache} to true.
*/
cacheTtlSecs?: number;
/**
* If true, Coda will cache the request (including POST, PUT, PATCH, and DELETE) and return the
* same response for subsequent requests. This option does *not* need to be specified to cache
* GET requests.
*
* This is mainly used for POST requests that do not have side effects, such as querying a
* GraphQL API.
*/
forceCache?: boolean;
/**
* Indicates that you expect the response to be binary data, instructing Coda
* not to attempt to parse the response in any way. Otherwise, Coda may attempt
* to parse the response as a JSON object. If true, {@link FetchResponse.body}
* will be a NodeJS Buffer.
*/
isBinaryResponse?: boolean;
/**
* If true, Coda will not apply authentication credentials even if this pack is
* configured to use authentication. This is very rare, but sometimes you may
* wish to make an unauthenticated supporting request as part of a formula implementation.
*/
disableAuthentication?: boolean;
/**
* If true, will immediately return a response when encountering an HTTP 301
* You may inspect the `Location` header of the response to observe the indicated redirect URL.
*/
ignoreRedirects?: boolean;
/**
* If true, the response will be chunked to allow for larger responses.
* @hidden
*/
chunkResponse?: boolean;
}
/**
* The response returned if {@link FetchRequest.chunkResponse} is true.
* @hidden
*/
export interface ChunkedResponseBody {
chunks: Array<{url: string; size: number}>;
totalSize: number;
}
/**
* The response of a call to {@link Fetcher.fetch}.
*
* The structure largely follows https://developer.mozilla.org/en-US/docs/Web/API/Response
*/
export interface FetchResponse<T extends any = any> {
/** The HTTP status code, e.g. `200`. */
status: number;
/**
* The body of the response.
*
* If the response contains JSON data, either because the Content-Type header is application/json
* or if the data is JSON-parsable, this will be a parsed JavaScript object.
* Similarly, if the response headers are text/xml or application/xml, this will be a parsed
* JavaScript object using the `xml2js` library.
*
* If implicit parsing is undesirable, you may consider using {@link FetchRequest.isBinaryResponse} on the request
* to disable any parsing. Note however that this will result in the body being a NodeJS Buffer.
*/
body?: T;
/**
* HTTP response headers. The contents of many headers will be redacted for security reasons.
*/
headers: {[header: string]: string | string[] | undefined};
}
/**
* A utility that allows you to make HTTP requests from a pack. The fetcher also
* handles applying user authentication credentials to each request, if applicable.
*
* This is only way a pack is able to make HTTP requests, as using other libraries is unsupported.
*/
export interface Fetcher {
/**
* Makes an HTTP request.
*
* If authentication is used with this pack, the user's secret credentials will be
* automatically applied to the request (whether in the HTTP headers, as a URL parameter,
* or whatever the authentication type dictates). Your invocation of `fetch()` need not
* deal with authentication in any way, Coda will handle that entirely on your behalf.
*/
fetch<T = any>(request: FetchRequest): Promise<FetchResponse<T>>;
}
/**
* A utility for temporarily storing files and images that either require authentication
* or are too large to return inline.
*
* When syncing data from certain APIs, a response object may include the URL of a file or
* image that can only be downloaded with the user's authentication credentials. Normally,
* you can just return an image or file URL from a formula invocation, and if the schema
* indicates that the value represents an attachment, Coda will ingest the data at that URL
* and host it from Coda. However, if the URL requires authentication, Coda will be unable
* to download the data since this ingestion does not happen within the packs execution
* environment.
*
* The solution is for your pack code to fetch the data at the URL, since the pack
* execution environment will apply the user's authentication, and then you can
* stash the downloaded value in `TemporaryBlobStorage`, which will return a temporary
* URL that you can return from the pack. Coda will be able to ingest the data from
* that temporary URL.
*
* Similarly, suppose your formula generates a very large value like a dynamically-generated
* image that you wish to return and have Coda render. Pack return values are meant to be
* fairly small, representing human-readable data. Large values like images are meant to
* be returned as URLs referencing that data. So rather than return the raw image data,
* your pack should use {@link storeBlob} to upload that large data to temporary storage.
* You will be returned a URL that you can then return with your formula response, and
* Coda will ingest the data from that URL into permanent storage.
*/
export interface TemporaryBlobStorage {
/**
* Fetches the data at the given URL, applying user authentication credentials as appropriate,
* and stores it in Coda-hosted temporary storage. Returns a URL for the temporary file
* that you should return in your formula response.
*
* The URL expires after 15 minutes by default, but you may pass a custom expiry, however
* Coda reserves the right to ignore long expirations.
*
* If the `downloadFilename` parameter is specified, when opened in the browser the file will
* be downloaded with the file name provided.
*
* If the `contentType` parameter is specified, any Content-Type header on the URL will be ignored
* in favor of the provided value.
*/
storeUrl(
url: string,
opts?: {expiryMs?: number; downloadFilename?: string; contentType?: string},
fetchOpts?: Pick<FetchRequest, 'disableAuthentication' | 'headers' | 'cacheTtlSecs'>,
): Promise<string>;
/**
* Stores the given data as a file with the given content type in Coda-hosted temporary storage.
* Returns a URL for the temporary file that you should return in your formula response.
*
* The URL expires after 15 minutes by default, but you may pass a custom expiry, however
* Coda reserves the right to ignore long expirations.
*
* If the `downloadFilename` parameter is specified, when opened in the browser the file will
* be downloaded with the file name provided.
*/
storeBlob(
blobData: Buffer,
contentType: string,
opts?: {expiryMs?: number; downloadFilename?: string},
): Promise<string>;
}
/**
* A service for retrieving the sync state in Coda Brain.
* @hidden
*
* TODO(ebo): unhide this
*/
export interface SyncStateService {
/**
* Retrieve the latest version of rows with the given row ids and returns a mapping of row ids to
* their latest version, e.g. {"Id-123": "1.0.0"}.
*
* If the row id is not found, it will not be included in the response.
*
* If the row version is not defined, it will be set to an empty string.
*
* @hidden
*
* TODO(ebo): unhide this
*/
getLatestRowVersions(rowIds: string[]): Promise<{[rowId: string]: string}>;
}
/**
* TODO(patrick): Unhide this
* @hidden
*/
export enum PermissionSyncMode {
Personal = 'Personal',
PermissionAware = 'PermissionAware',
}
/**
* Information about the current sync, part of the {@link SyncExecutionContext} passed to the
* `execute` function of every sync formula.
*/
export type Sync<
SyncContinuationT = Continuation,
IncrementalCheckpointContinuationT = SyncContinuationT,
IncrementalSyncContinuationT = SyncContinuationT,
> = SyncFull<SyncContinuationT> | SyncIncremental<IncrementalSyncContinuationT, IncrementalCheckpointContinuationT>;
/** Information about the current full sync. */
export interface SyncFull<ContinuationT = Continuation> extends SyncBase {
/**
* The continuation that was returned from the prior sync invocation. The is the exact
* value returned in the `continuation` property of result of the prior sync.
*/
continuation?: ContinuationT;
/** @hidden */
previousCompletion?: never;
}
/**
* Information about the current incremental sync.
*/
export interface SyncIncremental<SyncContinuationT, CheckpointContinuationT> extends SyncBase {
/**
* The continuation that was returned from the prior sync invocation. The is the exact
* value returned in the `continuation` property of result of the prior sync.
*/
continuation?: SyncContinuationT;
/** @hidden */
previousCompletion: SyncCompletionMetadata<CheckpointContinuationT>;
}
/** Information about the current sync. */
export interface SyncBase {
/**
* The schema of this sync table, if this is a dynamic sync table. It may be useful to have
* access to the dynamically-generated schema of the table instance in order to construct
* the response for a dynamic sync table's `execute` function.
*/
schema?: ArraySchema;
/**
* The dynamic URL that backs this sync table, if this is a dynamic sync table.
* The dynamic URL is likely necessary for determining which API resources to fetch.
*/
dynamicUrl?: string;
/**
* {@link core.MetadataContext} The parameters of the sync formula for the sync table.
*/
readonly parameters?: MetadataContext;
/**
* If this invocation is a part of an ingestion, then this ID will be provided to all invocations.
* It may be a full sync execution ID or an incremental sync execution ID.
*
* This includes invocations of sync `execute` and `executeGetPermissions`, as well as
* dynamic table features like `listDynamicUrls`, `getSchema`, and `getName`.
*
* TODO(patrick): May want to support this in doc syncs too.
*
* TODO(patrick): Unhide this
* @hidden
*/
executionId?: string;
/**
* This is only populated when `context.invocationLocation.source === InvocationSource.Brain`.
*
* TODO(patrick): Unhide this
* @hidden
*/
permissionSyncMode?: PermissionSyncMode;
}
/**
* Information about the current sync, part of the {@link UpdateSyncExecutionContext} passed to the
* `executeUpdate` function of the sync formula.
*/
export interface UpdateSync extends SyncBase {}
/**
* Information about the current sync, part of the {@link GetPermissionExecutionContext} passed to the
* `executeGetPermissions` function of the sync formula.
*
* TODO(sam): Unhide this
* @hidden
*/
export type GetPermissionsSync = Sync;
export type LoggerParamType = string | number | boolean | Record<any, any>;
export interface Logger {
trace(message: string, ...args: LoggerParamType[]): void;
debug(message: string, ...args: LoggerParamType[]): void;
info(message: string, ...args: LoggerParamType[]): void;
warn(message: string, ...args: LoggerParamType[]): void;
error(message: string, ...args: LoggerParamType[]): void;
}
export enum InvocationErrorType {
Timeout = 'Timeout',
ResponseTooLarge = 'ResponseTooLarge',
HttpStatusError = 'HttpStatusError',
/**
* Could mean 3rd party API rate limit or a rate limit imposed by Coda.
*/
RateLimitExceeded = 'RateLimitExceeded',
Unknown = 'Unknown',
}
interface BaseInvocationError {
type: InvocationErrorType;
}
export type HttpStatusInvocationError = BaseInvocationError & {
type: InvocationErrorType.HttpStatusError;
statusCode: HttpStatusCode;
};
export type RateLimitExceededInvocationError = BaseInvocationError & {
type: InvocationErrorType.RateLimitExceeded;
};
export type TimeoutInvocationError = BaseInvocationError & {
type: InvocationErrorType.Timeout;
};
export type ResponseTooLargeInvocationError = BaseInvocationError & {
type: InvocationErrorType.ResponseTooLarge;
};
export type UnknownInvocationError = BaseInvocationError & {
type: InvocationErrorType.Unknown;
};
export type InvocationError =
| HttpStatusInvocationError
| RateLimitExceededInvocationError
| TimeoutInvocationError
| ResponseTooLargeInvocationError
| UnknownInvocationError;
type MissingInvocationErrorTypes = Exclude<InvocationErrorType, InvocationError['type']>;
/**
* We export this because unfortunately, TS doesn't let you ignore only an noUnusedLocals error without also
* suppressing the TS error we *want* to see.
* @hidden
*/
export type _ensureInvocationErrorEnumCompletion = Assert<MissingInvocationErrorTypes extends never ? true : false>;
/**
* TODO(patrick): Unhide this
* @hidden
*/
export enum InvocationSource {
Brain = 'Brain',
Doc = 'Doc',
NativeIntegration = 'NativeIntegration',
}
/**
* Information about the Coda environment and doc this formula was invoked from, for Coda internal use.
*/