2021-03-30 05:29:03 +00:00
|
|
|
import { EXECUTION_PARAM_KEY } from "constants/AppsmithActionConstants/ActionConstants";
|
chore: upgrade to prettier v2 + enforce import types (#21013)Co-authored-by: Satish Gandham <hello@satishgandham.com> Co-authored-by: Satish Gandham <satish.iitg@gmail.com>
## Description
This PR upgrades Prettier to v2 + enforces TypeScript’s [`import
type`](https://www.typescriptlang.org/docs/handbook/release-notes/typescript-3-8.html#type-only-imports-and-export)
syntax where applicable. It’s submitted as a separate PR so we can merge
it easily.
As a part of this PR, we reformat the codebase heavily:
- add `import type` everywhere where it’s required, and
- re-format the code to account for Prettier 2’s breaking changes:
https://prettier.io/blog/2020/03/21/2.0.0.html#breaking-changes
This PR is submitted against `release` to make sure all new code by team
members will adhere to new formatting standards, and we’ll have fewer
conflicts when merging `bundle-optimizations` into `release`. (I’ll
merge `release` back into `bundle-optimizations` once this PR is
merged.)
### Why is this needed?
This PR is needed because, for the Lodash optimization from
https://github.com/appsmithorg/appsmith/commit/7cbb12af886621256224be0c93e6a465dd710ad3,
we need to use `import type`. Otherwise, `babel-plugin-lodash` complains
that `LoDashStatic` is not a lodash function.
However, just using `import type` in the current codebase will give you
this:
<img width="962" alt="Screenshot 2023-03-08 at 17 45 59"
src="https://user-images.githubusercontent.com/2953267/223775744-407afa0c-e8b9-44a1-90f9-b879348da57f.png">
That’s because Prettier 1 can’t parse `import type` at all. To parse it,
we need to upgrade to Prettier 2.
### Why enforce `import type`?
Apart from just enabling `import type` support, this PR enforces
specifying `import type` everywhere it’s needed. (Developers will get
immediate TypeScript and ESLint errors when they forget to do so.)
I’m doing this because I believe `import type` improves DX and makes
refactorings easier.
Let’s say you had a few imports like below. Can you tell which of these
imports will increase the bundle size? (Tip: it’s not all of them!)
```ts
// app/client/src/workers/Linting/utils.ts
import { Position } from "codemirror";
import { LintError as JSHintError, LintOptions } from "jshint";
import { get, isEmpty, isNumber, keys, last, set } from "lodash";
```
It’s pretty hard, right?
What about now?
```ts
// app/client/src/workers/Linting/utils.ts
import type { Position } from "codemirror";
import type { LintError as JSHintError, LintOptions } from "jshint";
import { get, isEmpty, isNumber, keys, last, set } from "lodash";
```
Now, it’s clear that only `lodash` will be bundled.
This helps developers to see which imports are problematic, but it
_also_ helps with refactorings. Now, if you want to see where
`codemirror` is bundled, you can just grep for `import \{.*\} from
"codemirror"` – and you won’t get any type-only imports.
This also helps (some) bundlers. Upon transpiling, TypeScript erases
type-only imports completely. In some environment (not ours), this makes
the bundle smaller, as the bundler doesn’t need to bundle type-only
imports anymore.
## Type of change
- Chore (housekeeping or task changes that don't impact user perception)
## How Has This Been Tested?
This was tested to not break the build.
### Test Plan
> Add Testsmith test cases links that relate to this PR
### Issues raised during DP testing
> Link issues raised during DP testing for better visiblity and tracking
(copy link from comments dropped on this PR)
## Checklist:
### Dev activity
- [x] My code follows the style guidelines of this project
- [ ] I have performed a self-review of my own code
- [ ] I have commented my code, particularly in hard-to-understand areas
- [ ] I have made corresponding changes to the documentation
- [x] My changes generate no new warnings
- [ ] I have added tests that prove my fix is effective or that my
feature works
- [ ] New and existing unit tests pass locally with my changes
- [ ] PR is being merged under a feature flag
### QA activity:
- [ ] Test plan has been approved by relevant developers
- [ ] Test plan has been peer reviewed by QA
- [ ] Cypress test cases have been added and approved by either SDET or
manual QA
- [ ] Organized project review call with relevant stakeholders after
Round 1/2 of QA
- [ ] Added Test Plan Approved label after reveiwing all Cypress test
---------
Co-authored-by: Satish Gandham <hello@satishgandham.com>
Co-authored-by: Satish Gandham <satish.iitg@gmail.com>
2023-03-16 11:41:47 +00:00
|
|
|
import type { ValidationConfig } from "./PropertyControlConstants";
|
2020-03-31 03:21:35 +00:00
|
|
|
|
2021-04-21 14:34:25 +00:00
|
|
|
// Always add a validator function in ./worker/validation for these types
|
2021-07-26 05:50:46 +00:00
|
|
|
export enum ValidationTypes {
|
2021-04-21 14:34:25 +00:00
|
|
|
TEXT = "TEXT",
|
|
|
|
|
REGEX = "REGEX",
|
|
|
|
|
NUMBER = "NUMBER",
|
|
|
|
|
BOOLEAN = "BOOLEAN",
|
|
|
|
|
OBJECT = "OBJECT",
|
|
|
|
|
ARRAY = "ARRAY",
|
2021-07-26 05:50:46 +00:00
|
|
|
OBJECT_ARRAY = "OBJECT_ARRAY",
|
2021-09-17 09:08:35 +00:00
|
|
|
NESTED_OBJECT_ARRAY = "NESTED_OBJECT_ARRAY",
|
2021-04-21 14:34:25 +00:00
|
|
|
DATE_ISO_STRING = "DATE_ISO_STRING",
|
2021-07-26 05:50:46 +00:00
|
|
|
IMAGE_URL = "IMAGE_URL",
|
|
|
|
|
FUNCTION = "FUNCTION",
|
2021-07-28 06:01:09 +00:00
|
|
|
SAFE_URL = "SAFE_URL",
|
2022-12-01 04:55:57 +00:00
|
|
|
ARRAY_OF_TYPE_OR_TYPE = "ARRAY_OF_TYPE_OR_TYPE",
|
2021-04-21 14:34:25 +00:00
|
|
|
}
|
2019-11-22 13:12:39 +00:00
|
|
|
|
|
|
|
|
export type ValidationResponse = {
|
|
|
|
|
isValid: boolean;
|
|
|
|
|
parsed: any;
|
2023-02-18 12:55:46 +00:00
|
|
|
messages?: Array<Error>;
|
2020-06-05 16:20:23 +00:00
|
|
|
transformed?: any;
|
2019-11-19 12:44:58 +00:00
|
|
|
};
|
|
|
|
|
|
2020-04-20 05:42:46 +00:00
|
|
|
export type Validator = (
|
2021-07-26 05:50:46 +00:00
|
|
|
config: ValidationConfig,
|
|
|
|
|
value: unknown,
|
2022-02-03 09:57:08 +00:00
|
|
|
props: Record<string, unknown>,
|
feat: JSON Form widget (#8472)
* initial layout
* updated parser to support nested array
* array field rendering
* changes
* ts fix
* minor revert FormWidget
* modified schema structure
* select and switch fields
* added checkbox field
* added RadioGroupField
* partial DateField and defaults, typing refactoring
* added label and field type change
* minor ts changes
* changes
* modified widget/utils for nested panelConfig, modified schema to object approach
* array/object label support
* hide field configuration when children not present
* added tooltip
* field visibility option
* disabled state
* upgraded tslib, form initial values
* custom field configuration - add/hide/edit
* field configuration - label change
* return input when field configuration reaches max depth
* minor changes
* form - scroll, fixedfooter, enitity defn and other minior changes
* form title
* unregister on unmount
* fixes
* zero state
* fix field padding
* patched updating form values, removed linting warnings
* configured action buttons
* minor fix
* minor change
* property pane - sort fields in field configuration
* refactor include all properties
* checkbox properties
* date properties
* refactor typings and radio group properties
* switch, multselect, select, array, object properties
* minor changes
* default value
* ts fixes
* checkbox field properties implementation
* date field prop implementation
* switch field
* select field and fix deep nested meta properties
* multiselect implementation
* minor change
* input field implementation
* fix position jump on field type change
* initial accordian
* field state property and auto-complete of JSONFormComputeControl
* merge fixes
* renamed FormBuilder to JSONForm
* source data validation minor change
* custom field default value fix
* Editable keys for custom field
* minor fixes
* replaced useFieldArray with custom logic, added widget icon
* array and object accordian with border/background styling
* minor change
* disabled states for array and objects
* default value minor fix
* form level styles
* modified logic for isDisabled for array and object, added disabledWhenInvalid, exposed isValid to fieldState for text input, removed useDisableChildren
* added isValid for all field types
* fixed reset to default values
* debounce form values update
* minor change
* minor change
* fix crash - source data change multi-select to array, fix crash - change of options
* fix positioning
* detect date type in source data
* fix crash - when object is passed to regex input field
* fixed default sourceData path for fields
* accodion keep children mounted on collapse
* jest test for schemaParser
* widget/helper and useRegisterFieldInvalid test
* tests for property config helper and generatePanelPropertyConfig
* fix input field validation not appearing
* fix date field type detection
* rename data -> formData
* handle null/undefined field value change in sourceData
* added null/undefined as valid values for defaultValue text field
* auto detect email field
* set formData default value on initial load
* switch field inline positioning
* field margin fix for row direction
* select full width
* fiex date field default value - out of range
* fix any field type to array
* array default value logic change
* base cypress test changes
* initial json form render cy test
* key sanitization
* fix fieldState update logic
* required design, object/array background color, accordion changes, fix - add new custom field
* minor change
* cypress tests
* fix date formatted value, field state cypress test
* cypress - field properties test and fixes
* rename test file
* fix accessort change to blank value, cypress tests
* fix array field default value for modified accessor
* minor fix
* added animate loading
* fix empty state, add new custom field
* test data fix
* fix warnings
* fix timePrecision visibility
* button styling
* ported input v2
* fix jest tests
* fix cypress tests
* perf changes
* perf improvement
* added comments
* multiselect changes
* input field perf refactor
* array field, object field refactor performance
* checkbox field refactor
* refectored date, radio, select and switch
* fixes
* test fixes
* fixes
* minor fix
* rename field renderer
* remove tracked fieldRenderer field
* cypress test fixes
* cypress changes
* array default value fixes
* arrayfield passedDefaultValue
* auto enabled JS mode for few properties, reverted swith and date property controls
* cypress changes
* added widget sniping mode and fixed object passedDefaultValue
* multiselect v2
* select v2
* fix jest tests
* test fixes
* field limit
* rename field type dropdown texts
* field type changes fixes
* jest fixes
* loading state submit button
* default source data for new widget
* modify limit message
* multiseelct default value changes and cypress fix
* select default value
* keep default value intact on field type change
* TextTable cypress text fix
* review changes
* fixed footer changes
* collapse styles section by default
* fixed footer changes
* form modes
* custom field key rentention
* fixed footer fix in view mode
* non ascii characters
* fix meta merge in dataTreeWidget
* minor fixes
* rename useRegisterFieldInvalid.ts -> useRegisterFieldValidity.ts
* modified dependency injection into evaluated values
* refactored fixedfooter logic
* minor change
* accessor update
* minor change
* fixes
* QA fixes date field, scroll content
* fix phone number field, removed visiblity option from array item
* fix sourceData autocomplete
* reset logic
* fix multiselect reset
* form values hydration on widget drag
* code review changes
* reverted order of merge dataTreeWidget
* fixes
* added button titles, fixed hydration issue
* default value fixes
* upgraded react hook form, modified array-level/field-level default value logic
* fixed select validation
* added icon entity explorer, modified icon align control
* modify accessor validation for mongo db _id
* update email field regex
* review changes
* explicitly handle empty source data validation
2022-03-24 07:13:25 +00:00
|
|
|
propertyPath: string,
|
2020-04-20 05:42:46 +00:00
|
|
|
) => ValidationResponse;
|
2020-08-17 05:03:15 +00:00
|
|
|
|
2021-02-23 12:35:09 +00:00
|
|
|
export const ISO_DATE_FORMAT = "YYYY-MM-DDTHH:mm:ss.sssZ";
|
2020-11-23 09:27:00 +00:00
|
|
|
|
2022-09-17 17:40:28 +00:00
|
|
|
export const DATA_TREE_KEYWORDS = {
|
|
|
|
|
actionPaths: "actionPaths",
|
|
|
|
|
appsmith: "appsmith",
|
|
|
|
|
pageList: "pageList",
|
|
|
|
|
[EXECUTION_PARAM_KEY]: EXECUTION_PARAM_KEY,
|
|
|
|
|
};
|
|
|
|
|
|
2020-12-14 18:48:13 +00:00
|
|
|
export const JAVASCRIPT_KEYWORDS = {
|
2022-09-17 17:40:28 +00:00
|
|
|
abstract: "abstract",
|
|
|
|
|
arguments: "arguments",
|
2020-11-23 09:27:00 +00:00
|
|
|
await: "await",
|
2022-09-17 17:40:28 +00:00
|
|
|
boolean: "boolean",
|
2020-11-23 09:27:00 +00:00
|
|
|
break: "break",
|
2022-09-17 17:40:28 +00:00
|
|
|
byte: "byte",
|
2020-11-23 09:27:00 +00:00
|
|
|
case: "case",
|
|
|
|
|
catch: "catch",
|
2022-09-17 17:40:28 +00:00
|
|
|
char: "char",
|
2020-11-23 09:27:00 +00:00
|
|
|
class: "class",
|
|
|
|
|
const: "const",
|
|
|
|
|
continue: "continue",
|
|
|
|
|
debugger: "debugger",
|
|
|
|
|
default: "default",
|
|
|
|
|
delete: "delete",
|
|
|
|
|
do: "do",
|
2022-09-17 17:40:28 +00:00
|
|
|
double: "double",
|
2020-11-23 09:27:00 +00:00
|
|
|
else: "else",
|
|
|
|
|
enum: "enum",
|
2022-02-02 15:35:42 +00:00
|
|
|
eval: "eval",
|
2020-11-23 09:27:00 +00:00
|
|
|
export: "export",
|
|
|
|
|
extends: "extends",
|
|
|
|
|
false: "false",
|
2022-09-17 17:40:28 +00:00
|
|
|
final: "final",
|
2020-11-23 09:27:00 +00:00
|
|
|
finally: "finally",
|
2022-09-17 17:40:28 +00:00
|
|
|
float: "float",
|
2020-11-23 09:27:00 +00:00
|
|
|
for: "for",
|
|
|
|
|
function: "function",
|
2022-09-17 17:40:28 +00:00
|
|
|
goto: "goto",
|
2020-11-23 09:27:00 +00:00
|
|
|
if: "if",
|
|
|
|
|
implements: "implements",
|
|
|
|
|
import: "import",
|
|
|
|
|
in: "in",
|
|
|
|
|
instanceof: "instanceof",
|
2022-09-17 17:40:28 +00:00
|
|
|
int: "int",
|
2020-11-23 09:27:00 +00:00
|
|
|
interface: "interface",
|
|
|
|
|
let: "let",
|
2022-09-17 17:40:28 +00:00
|
|
|
long: "long",
|
|
|
|
|
native: "native",
|
2020-11-23 09:27:00 +00:00
|
|
|
new: "new",
|
|
|
|
|
null: "null",
|
|
|
|
|
package: "package",
|
|
|
|
|
private: "private",
|
|
|
|
|
protected: "protected",
|
|
|
|
|
public: "public",
|
|
|
|
|
return: "return",
|
2022-09-17 17:40:28 +00:00
|
|
|
self: "self",
|
|
|
|
|
short: "short",
|
2020-11-23 09:27:00 +00:00
|
|
|
static: "static",
|
|
|
|
|
super: "super",
|
|
|
|
|
switch: "switch",
|
2022-09-17 17:40:28 +00:00
|
|
|
synchronized: "synchronized",
|
2020-11-23 09:27:00 +00:00
|
|
|
this: "this",
|
|
|
|
|
throw: "throw",
|
2022-09-17 17:40:28 +00:00
|
|
|
throws: "throws",
|
|
|
|
|
transient: "transient",
|
2022-02-02 15:35:42 +00:00
|
|
|
true: "true",
|
2020-11-23 09:27:00 +00:00
|
|
|
try: "try",
|
|
|
|
|
typeof: "typeof",
|
|
|
|
|
var: "var",
|
|
|
|
|
void: "void",
|
2022-09-17 17:40:28 +00:00
|
|
|
volatile: "volatile",
|
2020-11-23 09:27:00 +00:00
|
|
|
while: "while",
|
|
|
|
|
with: "with",
|
|
|
|
|
yield: "yield",
|
|
|
|
|
};
|
2020-12-14 18:48:13 +00:00
|
|
|
|
2022-09-17 17:40:28 +00:00
|
|
|
/**
|
|
|
|
|
* Global scope Identifiers in the worker context, accessible via the "self" keyword.
|
|
|
|
|
* These identifiers are already present in the worker context and shouldn't represent any valid identifier within Appsmith, as no entity should have
|
|
|
|
|
* same name as them to prevent unexpected behaviour during evaluation(which happens on the worker thread) in the worker.
|
|
|
|
|
* Check if an identifier (or window object/property) is available in the worker context here => https://worker-playground.glitch.me/
|
|
|
|
|
*/
|
|
|
|
|
export const DEDICATED_WORKER_GLOBAL_SCOPE_IDENTIFIERS = {
|
|
|
|
|
AbortController: "AbortController",
|
|
|
|
|
AbortSignal: "AbortSignal",
|
|
|
|
|
AggregateError: "AggregateError",
|
|
|
|
|
Array: "Array",
|
|
|
|
|
ArrayBuffer: "ArrayBuffer",
|
2021-10-04 12:49:58 +00:00
|
|
|
atob: "atob",
|
2022-09-17 17:40:28 +00:00
|
|
|
Atomics: "Atomics",
|
|
|
|
|
AudioData: "AudioData",
|
|
|
|
|
AudioDecoder: "AudioDecoder",
|
|
|
|
|
AudioEncoder: "AudioEncoder",
|
|
|
|
|
BackgroundFetchManager: "BackgroundFetchManager",
|
|
|
|
|
BackgroundFetchRecord: "BackgroundFetchRecord",
|
|
|
|
|
BackgroundFetchRegistration: "BackgroundFetchRegistration",
|
|
|
|
|
BarcodeDetector: "BarcodeDetector",
|
|
|
|
|
BigInt: "BigInt",
|
|
|
|
|
BigInt64Array: "BigInt64Array",
|
|
|
|
|
BigUint64Array: "BigUint64Array",
|
|
|
|
|
Blob: "Blob",
|
|
|
|
|
Boolean: "Boolean",
|
2021-10-04 12:49:58 +00:00
|
|
|
btoa: "btoa",
|
2022-09-17 17:40:28 +00:00
|
|
|
BroadcastChannel: "BroadcastChannel",
|
|
|
|
|
ByteLengthQueuingStrategy: "ByteLengthQueuingStrategy",
|
|
|
|
|
caches: "caches",
|
|
|
|
|
CSSSkewX: "CSSSkewX",
|
|
|
|
|
CSSSkewY: "CSSSkewY",
|
|
|
|
|
Cache: "Cache",
|
|
|
|
|
CacheStorage: "CacheStorage",
|
|
|
|
|
cancelAnimationFrame: "cancelAnimationFrame",
|
|
|
|
|
CanvasFilter: "CanvasFilter",
|
|
|
|
|
CanvasGradient: "CanvasGradient",
|
|
|
|
|
CanvasPattern: "CanvasPattern",
|
2021-10-04 12:49:58 +00:00
|
|
|
clearInterval: "clearInterval",
|
|
|
|
|
clearTimeout: "clearTimeout",
|
|
|
|
|
close: "close",
|
2022-09-17 17:40:28 +00:00
|
|
|
CloseEvent: "CloseEvent",
|
|
|
|
|
CompressionStream: "CompressionStream",
|
|
|
|
|
console: "console",
|
|
|
|
|
CountQueuingStrategy: "CountQueuingStrategy",
|
|
|
|
|
createImageBitmap: "createImageBitmap",
|
|
|
|
|
CropTarget: "CropTarget",
|
|
|
|
|
crossOriginIsolated: "crossOriginIsolated",
|
|
|
|
|
Crypto: "Crypto",
|
|
|
|
|
CryptoKey: "CryptoKey",
|
|
|
|
|
CustomEvent: "CustomEvent",
|
|
|
|
|
decodeURI: "decodeURI",
|
|
|
|
|
decodeURIComponent: "decodeURIComponent",
|
|
|
|
|
DOMException: "DOMException",
|
|
|
|
|
DOMMatrix: "DOMMatrix",
|
|
|
|
|
DOMMatrixReadOnly: "DOMMatrixReadOnly",
|
|
|
|
|
DOMPoint: "DOMPoint",
|
|
|
|
|
DOMPointReadOnly: "DOMPointReadOnly",
|
|
|
|
|
DOMQuad: "DOMQuad",
|
|
|
|
|
DOMRect: "DOMRect",
|
|
|
|
|
DOMRectReadOnly: "DOMRectReadOnly",
|
|
|
|
|
DOMStringList: "DOMStringList",
|
|
|
|
|
DataView: "DataView",
|
|
|
|
|
Date: "Date",
|
|
|
|
|
DecompressionStream: "DecompressionStream",
|
|
|
|
|
DedicatedWorkerGlobalScope: "DedicatedWorkerGlobalScope",
|
|
|
|
|
encodeURI: "encodeURI",
|
|
|
|
|
encodeURIComponent: "encodeURIComponent",
|
|
|
|
|
EncodedAudioChunk: "EncodedAudioChunk",
|
|
|
|
|
EncodedVideoChunk: "EncodedVideoChunk",
|
|
|
|
|
Error: "Error",
|
|
|
|
|
ErrorEvent: "ErrorEvent",
|
|
|
|
|
escape: "escape",
|
|
|
|
|
eval: "eval",
|
|
|
|
|
EvalError: "EvalError",
|
|
|
|
|
Event: "Event",
|
|
|
|
|
EventSource: "EventSource",
|
|
|
|
|
EventTarget: "EventTarget",
|
|
|
|
|
fetch: "fetch",
|
|
|
|
|
File: "File",
|
|
|
|
|
FileList: "FileList",
|
|
|
|
|
FileReader: "FileReader",
|
|
|
|
|
FileReaderSync: "FileReaderSync",
|
|
|
|
|
FileSystemDirectoryHandle: "FileSystemDirectoryHandle",
|
|
|
|
|
FileSystemFileHandle: "FileSystemFileHandle",
|
|
|
|
|
FileSystemHandle: "FileSystemHandle",
|
|
|
|
|
FileSystemSyncAccessHandle: "FileSystemSyncAccessHandle",
|
|
|
|
|
FileSystemWritableFileStream: "FileSystemWritableFileStream",
|
|
|
|
|
FinalizationRegistry: "FinalizationRegistry",
|
|
|
|
|
Float32Array: "Float32Array",
|
|
|
|
|
Float64Array: "Float64Array",
|
2023-05-22 06:22:25 +00:00
|
|
|
fonts: "fonts",
|
2022-09-17 17:40:28 +00:00
|
|
|
FontFace: "FontFace",
|
|
|
|
|
FormData: "FormData",
|
|
|
|
|
Function: "Function",
|
|
|
|
|
globalThis: "globalThis",
|
|
|
|
|
hasOwnProperty: "hasOwnProperty",
|
|
|
|
|
Headers: "Headers",
|
|
|
|
|
IDBCursor: "IDBCursor",
|
|
|
|
|
IDBCursorWithValue: "IDBCursorWithValue",
|
|
|
|
|
IDBDatabase: "IDBDatabase",
|
|
|
|
|
IDBFactory: "IDBFactory",
|
|
|
|
|
IDBIndex: "IDBIndex",
|
|
|
|
|
IDBKeyRange: "IDBKeyRange",
|
|
|
|
|
IDBObjectStore: "IDBObjectStore",
|
|
|
|
|
IDBOpenDBRequest: "IDBOpenDBRequest",
|
|
|
|
|
IDBRequest: "IDBRequest",
|
|
|
|
|
IDBTransaction: "IDBTransaction",
|
|
|
|
|
IDBVersionChangeEvent: "IDBVersionChangeEvent",
|
|
|
|
|
IdleDetector: "IdleDetector",
|
|
|
|
|
ImageBitmap: "ImageBitmap",
|
|
|
|
|
ImageBitmapRenderingContext: "ImageBitmapRenderingContext",
|
|
|
|
|
ImageData: "ImageData",
|
|
|
|
|
ImageDecoder: "ImageDecoder",
|
|
|
|
|
ImageTrack: "ImageTrack",
|
|
|
|
|
ImageTrackList: "ImageTrackList",
|
|
|
|
|
importScripts: "importScripts",
|
|
|
|
|
indexedDB: "indexedDB",
|
|
|
|
|
Infinity: "Infinity",
|
|
|
|
|
Int8Array: "Int8Array",
|
|
|
|
|
Int16Array: "Int16Array",
|
|
|
|
|
Int32Array: "Int32Array",
|
|
|
|
|
Intl: "Intl",
|
|
|
|
|
isFinite: "isFinite",
|
|
|
|
|
isNaN: "isNaN",
|
|
|
|
|
isPrototypeOf: "isPrototypeOf",
|
|
|
|
|
isSecureContext: "isSecureContext",
|
|
|
|
|
JSON: "JSON",
|
|
|
|
|
Lock: "Lock",
|
|
|
|
|
LockManager: "LockManager",
|
|
|
|
|
location: "location",
|
|
|
|
|
Map: "Map",
|
|
|
|
|
Math: "Math",
|
|
|
|
|
MediaCapabilities: "MediaCapabilities",
|
|
|
|
|
MessageChannel: "MessageChannel",
|
|
|
|
|
MessageEvent: "MessageEvent",
|
|
|
|
|
MessagePort: "MessagePort",
|
|
|
|
|
NaN: "NaN",
|
|
|
|
|
name: "name",
|
|
|
|
|
navigator: "navigator",
|
|
|
|
|
NavigationPreloadManager: "NavigationPreloadManager",
|
|
|
|
|
NavigatorUAData: "NavigatorUAData",
|
|
|
|
|
NetworkInformation: "NetworkInformation",
|
|
|
|
|
Notification: "Notification",
|
|
|
|
|
Number: "Number",
|
2023-05-22 06:22:25 +00:00
|
|
|
onerror: "onerror",
|
2022-09-17 17:40:28 +00:00
|
|
|
onmessage: "onmessage",
|
|
|
|
|
onmessageerror: "onmessageerror",
|
2023-05-22 06:22:25 +00:00
|
|
|
onlanguagechange: "onlanguagechange",
|
|
|
|
|
onrejectionhandled: "onrejectionhandled",
|
|
|
|
|
onunhandledrejection: "onunhandledrejection",
|
2022-09-17 17:40:28 +00:00
|
|
|
origin: "origin",
|
|
|
|
|
Object: "Object",
|
|
|
|
|
OffscreenCanvas: "OffscreenCanvas",
|
|
|
|
|
OffscreenCanvasRenderingContext2D: "OffscreenCanvasRenderingContext2D",
|
|
|
|
|
parseFloat: "parseFloat",
|
|
|
|
|
parseInt: "parseInt",
|
|
|
|
|
Path2D: "Path2D",
|
|
|
|
|
PaymentInstruments: "PaymentInstruments",
|
2023-05-22 06:22:25 +00:00
|
|
|
performance: "performance",
|
2022-09-17 17:40:28 +00:00
|
|
|
Performance: "Performance",
|
|
|
|
|
PerformanceEntry: "PerformanceEntry",
|
|
|
|
|
PerformanceMark: "PerformanceMark",
|
|
|
|
|
PerformanceMeasure: "PerformanceMeasure",
|
|
|
|
|
PerformanceObserver: "PerformanceObserver",
|
|
|
|
|
PerformanceObserverEntryList: "PerformanceObserverEntryList",
|
|
|
|
|
PerformanceResourceTiming: "PerformanceResourceTiming",
|
|
|
|
|
PerformanceServerTiming: "PerformanceServerTiming",
|
|
|
|
|
PeriodicSyncManager: "PeriodicSyncManager",
|
|
|
|
|
PermissionStatus: "PermissionStatus",
|
|
|
|
|
Permissions: "Permissions",
|
|
|
|
|
postMessage: "postMessage",
|
|
|
|
|
ProgressEvent: "ProgressEvent",
|
|
|
|
|
Promise: "Promise",
|
|
|
|
|
PromiseRejectionEvent: "PromiseRejectionEvent",
|
|
|
|
|
Proxy: "Proxy",
|
|
|
|
|
PushManager: "PushManager",
|
|
|
|
|
PushSubscription: "PushSubscription",
|
|
|
|
|
PushSubscriptionOptions: "PushSubscriptionOptions",
|
|
|
|
|
queueMicrotask: "queueMicrotask",
|
|
|
|
|
RTCEncodedAudioFrame: "RTCEncodedAudioFrame",
|
|
|
|
|
RTCEncodedVideoFrame: "RTCEncodedVideoFrame",
|
|
|
|
|
RangeError: "RangeError",
|
|
|
|
|
ReadableByteStreamController: "ReadableByteStreamController",
|
|
|
|
|
ReadableStream: "ReadableStream",
|
|
|
|
|
ReadableStreamBYOBReader: "ReadableStreamBYOBReader",
|
|
|
|
|
ReadableStreamBYOBRequest: "ReadableStreamBYOBRequest",
|
|
|
|
|
ReadableStreamDefaultController: "ReadableStreamDefaultController",
|
|
|
|
|
ReadableStreamDefaultReader: "ReadableStreamDefaultReader",
|
|
|
|
|
ReferenceError: "ReferenceError",
|
|
|
|
|
Reflect: "Reflect",
|
|
|
|
|
RegExp: "RegExp",
|
|
|
|
|
reportError: "reportError",
|
|
|
|
|
ReportingObserver: "ReportingObserver",
|
|
|
|
|
Request: "Request",
|
2021-10-04 12:49:58 +00:00
|
|
|
requestAnimationFrame: "requestAnimationFrame",
|
2022-09-17 17:40:28 +00:00
|
|
|
Response: "Response",
|
2023-05-22 06:22:25 +00:00
|
|
|
scheduler: "scheduler",
|
2022-09-17 17:40:28 +00:00
|
|
|
Scheduler: "Scheduler",
|
|
|
|
|
SecurityPolicyViolationEvent: "SecurityPolicyViolationEvent",
|
|
|
|
|
Serial: "Serial",
|
|
|
|
|
SerialPort: "SerialPort",
|
|
|
|
|
ServiceWorkerRegistration: "ServiceWorkerRegistration",
|
|
|
|
|
Set: "Set",
|
2021-10-04 12:49:58 +00:00
|
|
|
setInterval: "setInterval",
|
|
|
|
|
setTimeout: "setTimeout",
|
2022-09-17 17:40:28 +00:00
|
|
|
StorageManager: "StorageManager",
|
|
|
|
|
String: "String",
|
|
|
|
|
structuredClone: "structuredClone",
|
|
|
|
|
SubtleCrypto: "SubtleCrypto",
|
|
|
|
|
Symbol: "Symbol",
|
|
|
|
|
SyncManager: "SyncManager",
|
|
|
|
|
SyntaxError: "SyntaxError",
|
|
|
|
|
TaskController: "TaskController",
|
|
|
|
|
TaskPriorityChangeEvent: "TaskPriorityChangeEvent",
|
|
|
|
|
TaskSignal: "TaskSignal",
|
|
|
|
|
TextDecoder: "TextDecoder",
|
|
|
|
|
TextDecoderStream: "TextDecoderStream",
|
|
|
|
|
TextEncoder: "TextEncoder",
|
|
|
|
|
TextEncoderStream: "TextEncoderStream",
|
|
|
|
|
TextMetrics: "TextMetrics",
|
|
|
|
|
toString: "toString",
|
|
|
|
|
TransformStream: "TransformStream",
|
|
|
|
|
TransformStreamDefaultController: "TransformStreamDefaultController",
|
|
|
|
|
TrustedHTML: "TrustedHTML",
|
|
|
|
|
TrustedScript: "TrustedScript",
|
|
|
|
|
TrustedScriptURL: "TrustedScriptURL",
|
|
|
|
|
trustedTypes: "trustedTypes",
|
|
|
|
|
TrustedTypePolicy: "TrustedTypePolicy",
|
|
|
|
|
TrustedTypePolicyFactory: "TrustedTypePolicyFactory",
|
|
|
|
|
TypeError: "TypeError",
|
|
|
|
|
undefined: "undefined",
|
|
|
|
|
unescape: "unescape",
|
|
|
|
|
URIError: "URIError",
|
|
|
|
|
URL: "URL",
|
|
|
|
|
URLPattern: "URLPattern",
|
|
|
|
|
URLSearchParams: "URLSearchParams",
|
|
|
|
|
USB: "USB",
|
|
|
|
|
USBAlternateInterface: "USBAlternateInterface",
|
|
|
|
|
USBConfiguration: "USBConfiguration",
|
|
|
|
|
USBConnectionEvent: "USBConnectionEvent",
|
|
|
|
|
USBDevice: "USBDevice",
|
|
|
|
|
USBEndpoint: "USBEndpoint",
|
|
|
|
|
USBInTransferResult: "USBInTransferResult",
|
|
|
|
|
USBInterface: "USBInterface",
|
|
|
|
|
USBIsochronousInTransferPacket: "USBIsochronousInTransferPacket",
|
|
|
|
|
USBIsochronousInTransferResult: "USBIsochronousInTransferResult",
|
|
|
|
|
USBIsochronousOutTransferPacket: "USBIsochronousOutTransferPacket",
|
|
|
|
|
USBIsochronousOutTransferResult: "USBIsochronousOutTransferResult",
|
|
|
|
|
USBOutTransferResult: "USBOutTransferResult",
|
|
|
|
|
Uint8Array: "Uint8Array",
|
|
|
|
|
Uint8ClampedArray: "Uint8ClampedArray",
|
|
|
|
|
Uint16Array: "Uint16Array",
|
|
|
|
|
Uint32Array: "Uint32Array",
|
|
|
|
|
UserActivation: "UserActivation",
|
|
|
|
|
VideoColorSpace: "VideoColorSpace",
|
|
|
|
|
VideoDecoder: "VideoDecoder",
|
|
|
|
|
VideoEncoder: "VideoEncoder",
|
|
|
|
|
VideoFrame: "VideoFrame",
|
|
|
|
|
WeakMap: "WeakMap",
|
|
|
|
|
WeakRef: "WeakRef",
|
|
|
|
|
WeakSet: "WeakSet",
|
|
|
|
|
WebAssembly: "WebAssembly",
|
|
|
|
|
WebGL2RenderingContext: "WebGL2RenderingContext",
|
|
|
|
|
WebGLActiveInfo: "WebGLActiveInfo",
|
|
|
|
|
WebGLBuffer: "WebGLBuffer",
|
|
|
|
|
WebGLFramebuffer: "WebGLFramebuffer",
|
|
|
|
|
WebGLProgram: "WebGLProgram",
|
|
|
|
|
WebGLQuery: "WebGLQuery",
|
|
|
|
|
WebGLRenderbuffer: "WebGLRenderbuffer",
|
|
|
|
|
WebGLRenderingContext: "WebGLRenderingContext",
|
|
|
|
|
WebGLSampler: "WebGLSampler",
|
|
|
|
|
WebGLShader: "WebGLShader",
|
|
|
|
|
WebGLShaderPrecisionFormat: "WebGLShaderPrecisionFormat",
|
|
|
|
|
WebGLSync: "WebGLSync",
|
|
|
|
|
WebGLTexture: "WebGLTexture",
|
|
|
|
|
WebGLTransformFeedback: "WebGLTransformFeedback",
|
|
|
|
|
WebGLUniformLocation: "WebGLUniformLocation",
|
|
|
|
|
WebGLVertexArrayObject: "WebGLVertexArrayObject",
|
|
|
|
|
webkitRequestFileSystem: "webkitRequestFileSystem",
|
|
|
|
|
webkitRequestFileSystemSync: "webkitRequestFileSystemSync",
|
|
|
|
|
webkitResolveLocalFileSystemSyncURL: "webkitResolveLocalFileSystemSyncURL",
|
|
|
|
|
webkitResolveLocalFileSystemURL: "webkitResolveLocalFileSystemURL",
|
|
|
|
|
WebSocket: "WebSocket",
|
|
|
|
|
WebTransport: "WebTransport",
|
|
|
|
|
WebTransportBidirectionalStream: "WebTransportBidirectionalStream",
|
|
|
|
|
WebTransportDatagramDuplexStream: "WebTransportDatagramDuplexStream",
|
|
|
|
|
WebTransportError: "WebTransportError",
|
|
|
|
|
Worker: "Worker",
|
|
|
|
|
WorkerGlobalScope: "WorkerGlobalScope",
|
|
|
|
|
WorkerLocation: "WorkerLocation",
|
|
|
|
|
WorkerNavigator: "WorkerNavigator",
|
|
|
|
|
WritableStream: "WritableStream",
|
|
|
|
|
WritableStreamDefaultController: "WritableStreamDefaultController",
|
|
|
|
|
WritableStreamDefaultWriter: "WritableStreamDefaultWriter",
|
|
|
|
|
XMLHttpRequest: "XMLHttpRequest",
|
|
|
|
|
XMLHttpRequestEventTarget: "XMLHttpRequestEventTarget",
|
|
|
|
|
XMLHttpRequestUpload: "XMLHttpRequestUpload",
|
|
|
|
|
|
|
|
|
|
// Identifiers added to worker scope by Appsmith
|
|
|
|
|
evaluationVersion: "evaluationVersion",
|
2023-02-11 18:33:20 +00:00
|
|
|
$isDataField: "$isDataField",
|
|
|
|
|
$isAsync: "$isAsync",
|
2021-10-04 12:49:58 +00:00
|
|
|
};
|