From ba8667e2d6c78f472a39c23da2a88e6b09b03998 Mon Sep 17 00:00:00 2001 From: m-Bilal Date: Thu, 12 Dec 2024 18:22:50 +0530 Subject: [PATCH 1/4] minor refactor --- src/app/generator/param-generator.ts | 4 ++-- src/app/parser/open-api/param-types.ts | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/src/app/generator/param-generator.ts b/src/app/generator/param-generator.ts index 64a603d..fa702fd 100644 --- a/src/app/generator/param-generator.ts +++ b/src/app/generator/param-generator.ts @@ -127,7 +127,7 @@ export function renderObjectTypeSchema( } const paramType = `{ ${renderedProperties.join(" ")} }`; schema._$requiresRelaxedTypeTag = - types.isRelaxedTypeTagRequiredForObjectTypeSchema(schema); + types.isRelaxedTypeTagRequiredForObjectTypeSchemaShallow(schema); return renderSchema(paramType, schema); } @@ -139,7 +139,7 @@ export function renderArrayTypeSchema( const renderedProperty = renderParams(childSchema, schemaStore)._$rendered!; const paramType = `(${renderedProperty})[]`; schema._$requiresRelaxedTypeTag = - types.isRelaxedTypeTagRequiredForArrayTypeSchema(schema); + types.isRelaxedTypeTagRequiredForArrayTypeSchemaShallow(schema); return renderSchema(paramType, schema); } diff --git a/src/app/parser/open-api/param-types.ts b/src/app/parser/open-api/param-types.ts index 974d5c1..ba9672e 100644 --- a/src/app/parser/open-api/param-types.ts +++ b/src/app/parser/open-api/param-types.ts @@ -318,7 +318,7 @@ export function isRelaxedTypeTagRequiredForScalarTypeSchema( * * @param schema */ -export function isRelaxedTypeTagRequiredForObjectTypeSchema( +export function isRelaxedTypeTagRequiredForObjectTypeSchemaShallow( schema: SchemaTypeObject, ): boolean { const children = getSchemaTypeObjectChildrenMap(schema); @@ -341,12 +341,12 @@ export function isRelaxedTypeTagRequiredForObjectTypeSchema( * More Reading: https://github.com/hasura/ndc-nodejs-lambda?tab=readme-ov-file#relaxed-types * * ### WARNING - * This function should be called the child of the schema has been processed. + * This function should be called after the child of the schema has been processed. * This function *DOES NOT* process the tag requirements for the schema's child * * @param schema */ -export function isRelaxedTypeTagRequiredForArrayTypeSchema( +export function isRelaxedTypeTagRequiredForArrayTypeSchemaShallow( schema: SchemaTypeArray, ): boolean { const child = getSchemaTypeArrayChild(schema); From bfa711759251397495334d0f4d2a68d2d2a35a00 Mon Sep 17 00:00:00 2001 From: m-Bilal Date: Tue, 17 Dec 2024 15:25:48 +0530 Subject: [PATCH 2/4] relaxed type support for return types and indexed types --- src/app/generator/index.ts | 10 +++- src/app/parser/open-api/param-types.ts | 69 ++++++++++++++++++++++ src/app/parser/open-api/route-types.ts | 76 +++++++++++++++++++------ src/app/parser/open-api/schema-types.ts | 13 ++++- 4 files changed, 148 insertions(+), 20 deletions(-) diff --git a/src/app/generator/index.ts b/src/app/generator/index.ts index a0a6781..1035c3a 100644 --- a/src/app/generator/index.ts +++ b/src/app/generator/index.ts @@ -7,6 +7,9 @@ import * as logger from "../../util/logger"; import * as schemaParser from "../parser/open-api/schema-parser"; import * as routeTypes from "../parser/open-api/route-types"; import * as paramGenerator from "./param-generator"; +import * as paramTypes from "../parser/open-api/param-types"; + +const cj = require("circular-json"); export async function generateCode( args: types.GenerateCodeInput, @@ -27,10 +30,15 @@ export async function generateCode( const routeComponentsArray: functionsTsGenerator.RouteComponents[] = []; for (let route of apiTsCode.routes) { + // get the return type schema + const returnTypeSchema = routeTypes.getResponseSchema(route); + // check if the return type schema requires relaxed type tag + paramTypes.isRelaxedTypeTagRequiredForSchema(returnTypeSchema, parsedSchemaStore); + const routeComponents: functionsTsGenerator.RouteComponents = { route: route, params: routeTypes.getAllParamsRendered(route, parsedSchemaStore), - returnType: routeTypes.getResponseSchema(route), + returnType: returnTypeSchema, }; routeComponentsArray.push(routeComponents); diff --git a/src/app/parser/open-api/param-types.ts b/src/app/parser/open-api/param-types.ts index ba9672e..55926a6 100644 --- a/src/app/parser/open-api/param-types.ts +++ b/src/app/parser/open-api/param-types.ts @@ -288,6 +288,33 @@ export function getEmptySchema(): Schema { }; } +/** + * Process a Schema and all its children to determine if a relaxed type tag is required + * @param schema + * @param schemaStore + * @returns + */ +export function isRelaxedTypeTagRequiredForSchema(schema: Schema, schemaStore: ParsedSchemaStore): boolean { + if (schemaIsTypeRef(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForRefTypeSchema(schema, schemaStore); + } else if (schemaIsTypeObject(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForObjectTypeSchemaDeep(schema, schemaStore); + } else if (schemaIsTypeScalar(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForScalarTypeSchema(schema); + } else if (schemaIsTypeCustomType(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForCustomTypeSchema(schema, schemaStore); + } else if (schemaIsTypeArray(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForArrayTypeSchemaDeep(schema, schemaStore); + } else if (schemaIsTypeOneOf(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForOneOfTypeSchema(schema); + } else if (schemaIsTypeAnyOf(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForAnyOfTypeSchema(schema); + } else if (schemaIsTypeAllOf(schema)) { + schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForAllOfTypeSchema(schema); + } + return schema._$requiresRelaxedTypeTag ?? false; +} + /** * Function to determine if this scalar type schema requires * relaxed type tag @@ -334,6 +361,29 @@ export function isRelaxedTypeTagRequiredForObjectTypeSchemaShallow( return false; } +/** + * Function to determine if this object type schema requires + * relaxed type tag. + * This function also processes the tag requirements for its children + * + * More Reading: https://github.com/hasura/ndc-nodejs-lambda?tab=readme-ov-file#relaxed-types + * + * @param schema + */ +export function isRelaxedTypeTagRequiredForObjectTypeSchemaDeep( + schema: SchemaTypeObject, + schemaStore: ParsedSchemaStore, +): boolean { + const children = getSchemaTypeObjectChildrenMap(schema); + for (const child of Object.values(children)) { + if (isRelaxedTypeTagRequiredForSchema(child, schemaStore)) { + child._$requiresRelaxedTypeTag = true; + return true; + } + } + return false; +} + /** * Function to determine if this array type schema requires * relaxed type tag @@ -353,6 +403,25 @@ export function isRelaxedTypeTagRequiredForArrayTypeSchemaShallow( return child._$requiresRelaxedTypeTag ?? false; } +/** + * Function to determine if this array type schema requires + * relaxed type tag + * This function also processes the tag requirements for its children + * + * More Reading: https://github.com/hasura/ndc-nodejs-lambda?tab=readme-ov-file#relaxed-types + * + * @param schema + */ +export function isRelaxedTypeTagRequiredForArrayTypeSchemaDeep( + schema: SchemaTypeArray, + schemaStore: ParsedSchemaStore, +): boolean { + const child = getSchemaTypeArrayChild(schema); + const required = isRelaxedTypeTagRequiredForSchema(child, schemaStore); + child._$requiresRelaxedTypeTag = required; + return child._$requiresRelaxedTypeTag; +} + /** * Function to determine if this ref type schema requires relaxed type tag * diff --git a/src/app/parser/open-api/route-types.ts b/src/app/parser/open-api/route-types.ts index 35ab51a..041084c 100644 --- a/src/app/parser/open-api/route-types.ts +++ b/src/app/parser/open-api/route-types.ts @@ -5,6 +5,8 @@ import * as logger from "../../../util/logger"; import * as paramGenerator from "../../generator/param-generator"; import { ParsedSchemaStore } from "./schema-parser"; +const cj = require("circular-json"); + enum RequestType { Get = "get", Post = "post", @@ -51,6 +53,7 @@ export type ApiRoute = swaggerTypescriptApi.ParsedRoute & { responseBodySchema: { description: string | undefined; contentKind: string | undefined; + contentTypes: string[] | undefined; type: string; content: | { @@ -59,6 +62,26 @@ export type ApiRoute = swaggerTypescriptApi.ParsedRoute & { schema: paramTypes.Schema | undefined; } | undefined; + "application/xml": + | { + schema: paramTypes.Schema | undefined; + } + | undefined; + "text/plain": + | { + schema: paramTypes.Schema | undefined; + } + | undefined; + "plain/text": + | { + schema: paramTypes.Schema | undefined; + } + | undefined; + "*/*": + | { + schema: paramTypes.Schema | undefined; + } + | undefined; } | undefined; }; @@ -219,6 +242,14 @@ export function hasResponseType(route: ApiRoute): boolean { return false; } +function getResponseSchemaUtil(route: ApiRoute): paramTypes.Schema | undefined { + return route.responseBodySchema?.content?.["application/json"]?.schema + ?? route.responseBodySchema?.content?.["text/plain"]?.schema + ?? route.responseBodySchema?.content?.["application/xml"]?.schema + ?? route.responseBodySchema?.content?.["plain/text"]?.schema + ?? route.responseBodySchema?.content?.["*/*"]?.schema; +} + export function getResponseSchema(route: ApiRoute): paramTypes.Schema { let schemaType = route.responseBodySchema?.type; if (!hasResponseType(route)) { @@ -231,23 +262,34 @@ export function getResponseSchema(route: ApiRoute): paramTypes.Schema { schemaType = "hasuraSdk.JSONValue"; } - /** - * Since there isn't a proper parser for return types - * we'll render whatever is given by the library - */ - const schema: paramTypes.SchemaTypeCustomType = { - paramName: undefined, - name: undefined, - required: true, - description: route.responseBodySchema?.description ?? "", - type: schemaType, - schema: - route.responseBodySchema?.content?.["application/json"]?.schema ?? - paramTypes.getEmptySchema(), - _$rendered: schemaType, - _$forcedCustom: true, - _$requiresRelaxedTypeTag: false, - }; + let schema = getResponseSchemaUtil(route); + + if (!schema) { + logger.warn( + `No response schema type found for API Route ${getFormattedRouteName(route)}`, + ); + logger.debug( + `Response content types for API Route ${getFormattedRouteName(route)}:\n${JSON.stringify(route.responseBodySchema?.contentTypes ?? "")}`, + ); + /** + * Since there isn't a proper return type + * we'll switch the type to `hasuraSdk.JSONValue` + * and return a custom schema + */ + schema = { + paramName: undefined, + name: undefined, + required: true, + description: route.responseBodySchema?.description ?? "", + type: schemaType, + schema: paramTypes.getEmptySchema(), + _$rendered: schemaType, + _$forcedCustom: true, + _$requiresRelaxedTypeTag: false, + }; + return schema; + } + schema._$rendered = schemaType; return schema; } diff --git a/src/app/parser/open-api/schema-types.ts b/src/app/parser/open-api/schema-types.ts index 1b4e0e3..a9bd1aa 100644 --- a/src/app/parser/open-api/schema-types.ts +++ b/src/app/parser/open-api/schema-types.ts @@ -74,6 +74,7 @@ export type SchemaTypeObject = { example: string | undefined; description: string | undefined; $parsed: $ParsedSchema | undefined; + additionalProperties: boolean | undefined; }; export type SchemaTypeScalar = { @@ -371,7 +372,7 @@ export function getSchemaTypeSchemaChildren( return []; } -export function primitiveSchemaPropertiveHasAmbigousType( +export function primitiveSchemaPropertieHasAmbigousType( property: SchemaTypePrimitive, ) { if (property.content) { @@ -381,6 +382,7 @@ export function primitiveSchemaPropertiveHasAmbigousType( property.$parsed.content, ); } + return false; } /** @@ -388,12 +390,19 @@ export function primitiveSchemaPropertiveHasAmbigousType( * More on RelaxedTypes: https://github.com/hasura/ndc-nodejs-lambda?tab=readme-ov-file#relaxed-types */ export function schemaPropertyIsRelaxedType(schemaProperty: SchemaProperty) { + // if the schemaProperty is an object and it can accept additional properties + // that means it has an indexed type `[key: string]: any`. This is a relaxed type + if (schemaPropertyIsTypeObject(schemaProperty)) { + if (schemaProperty.additionalProperties === true) { + return true; + } + } if (schemaPropertyIsTypeScaler(schemaProperty)) { if (schemaPropertyIsEnum(schemaProperty)) { return true; } } else if (schemaPropertyIsTypePrimitive(schemaProperty)) { - return primitiveSchemaPropertiveHasAmbigousType(schemaProperty); + return primitiveSchemaPropertieHasAmbigousType(schemaProperty); } return false; } From 5330ec78acb4595ee5355b1f3e1ae2999eba52b1 Mon Sep 17 00:00:00 2001 From: m-Bilal Date: Tue, 17 Dec 2024 15:26:10 +0530 Subject: [PATCH 3/4] tests updated --- .../golden-files/1password.json | 80 +- .../param-generator/golden-files/adobe.json | 28 - .../golden-files/amazon-workspaces.json | 260 - .../golden-files/atlassian-jira.json | 2194 +----- .../golden-files/aws-cloud-map.json | 100 - .../golden-files/azure-alerts-management.json | 20 - .../azure-automation-management.json | 16 - .../golden-files/azure-open-id-connect.json | 24 +- .../golden-files/circleci.json | 78 +- .../golden-files/cisco-meraki.json | 1942 ++--- .../golden-files/demo-blog-api.json | 60 +- .../golden-files/docker-dvp-data.json | 32 - .../golden-files/docker-hub.json | 68 +- .../golden-files/ebay-finances.json | 28 - .../golden-files/gcp-error-reporting.json | 24 - .../param-generator/golden-files/geomag.json | 50 +- .../param-generator/golden-files/github.json | 4732 +++--------- .../param-generator/golden-files/gitlab.json | 1084 --- .../param-generator/golden-files/gmail.json | 252 - .../golden-files/google-adsense.json | 148 - .../golden-files/google-analytics-hub.json | 48 - .../golden-files/google-home.json | 142 +- .../golden-files/here-maps-positioning.json | 8 - .../golden-files/here-maps-tracking.json | 5474 +++++++++---- .../golden-files/hubspot-events.json | 4 - .../hubspot-workflow-actions.json | 44 - .../golden-files/instagram.json | 108 - .../golden-files/intuit-mailchimp.json | 534 +- .../golden-files/kubernetes.json | 6858 +++++------------ .../param-generator/golden-files/lyft.json | 122 +- .../param-generator/golden-files/medium.json | 672 +- .../mercedez-benz-car-configurator.json | 108 +- .../microsoft-workload-monitor.json | 52 - .../param-generator/golden-files/notion.json | 114 +- .../golden-files/nyt-books.json | 676 +- .../golden-files/petstore.json | 58 +- .../golden-files/slack-web.json | 3120 ++++---- .../param-generator/golden-files/snyk.json | 230 +- .../param-generator/golden-files/stripe.json | 4910 ++++++------ .../param-generator/golden-files/vimeo.json | 122 +- .../relaxed-type-tests/atlassian-jira.json | 98 +- tests/test-data/golden-files/1password | 5 + .../test-data/golden-files/amazon-workspaces | 10 + tests/test-data/golden-files/apideck-crm | 10 + .../golden-files/apple-store-connect | 17 + tests/test-data/golden-files/atlassian-jira | 150 + tests/test-data/golden-files/aws-cloud-map | 3 + .../golden-files/azure-alerts-management | 3 + .../golden-files/azure-application-insights | 1 + tests/test-data/golden-files/circleci | 10 + tests/test-data/golden-files/github | 207 + tests/test-data/golden-files/google-home | 9 + tests/test-data/golden-files/instagram | 11 + tests/test-data/golden-files/kubernetes | 5 + .../golden-files/microsoft-workload-monitor | 8 + tests/test-data/golden-files/petstore | 4 + tests/test-data/golden-files/spotify | 13 + 57 files changed, 13951 insertions(+), 21237 deletions(-) diff --git a/src/app/generator/test-data/param-generator/golden-files/1password.json b/src/app/generator/test-data/param-generator/golden-files/1password.json index fd635c9..215a287 100644 --- a/src/app/generator/test-data/param-generator/golden-files/1password.json +++ b/src/app/generator/test-data/param-generator/golden-files/1password.json @@ -22,12 +22,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "APIRequest", + "requiresRelaxedTypeAnnotation": true } } }, @@ -37,19 +33,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n dependencies?: (ServiceDependency)[],\n name: string,\n /** The Connect server's version */\n version: string,\n\n}", + "rendered": "{ dependencies?: (ServiceDependency)[], name?: string, \n/** The Connect server's version */\n version?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.dependencies": { + "rendered": " dependencies?: (ServiceDependency)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.dependencies.__no_name": { + "rendered": "ServiceDependency", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.version": { + "rendered": "\n/** The Connect server's version */\n version?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -62,10 +62,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -77,10 +73,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -103,12 +95,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Vault", + "requiresRelaxedTypeAnnotation": true } } }, @@ -125,10 +113,6 @@ ".__no_name": { "rendered": "Vault", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -156,12 +140,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -187,10 +167,6 @@ ".__no_name": { "rendered": "FullItem", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -235,10 +211,6 @@ ".__no_name": { "rendered": "FullItem", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -268,10 +240,6 @@ ".__no_name": { "rendered": "FullItem", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -301,10 +269,6 @@ ".__no_name": { "rendered": "FullItem", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -336,11 +300,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "File", "requiresRelaxedTypeAnnotation": false } } @@ -375,10 +335,6 @@ ".__no_name": { "rendered": "File", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/adobe.json b/src/app/generator/test-data/param-generator/golden-files/adobe.json index 58ecf62..48376db 100644 --- a/src/app/generator/test-data/param-generator/golden-files/adobe.json +++ b/src/app/generator/test-data/param-generator/golden-files/adobe.json @@ -759,10 +759,6 @@ ".__no_name": { "rendered": "InstallStatus", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -928,10 +924,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1520,10 +1512,6 @@ ".__no_name": { "rendered": "TruststoreInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1605,10 +1593,6 @@ ".__no_name": { "rendered": "BundleInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1776,10 +1760,6 @@ ".__no_name": { "rendered": "SamlConfigurationInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1921,10 +1901,6 @@ ".__no_name": { "rendered": "KeystoreInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1945,10 +1921,6 @@ ".__no_name": { "rendered": "KeystoreInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/amazon-workspaces.json b/src/app/generator/test-data/param-generator/golden-files/amazon-workspaces.json index afb6f36..28e0c04 100644 --- a/src/app/generator/test-data/param-generator/golden-files/amazon-workspaces.json +++ b/src/app/generator/test-data/param-generator/golden-files/amazon-workspaces.json @@ -16,10 +16,6 @@ ".__no_name": { "rendered": "AssociateConnectionAliasResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -40,10 +36,6 @@ ".__no_name": { "rendered": "AssociateIpGroupsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -64,10 +56,6 @@ ".__no_name": { "rendered": "AuthorizeIpRulesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -88,10 +76,6 @@ ".__no_name": { "rendered": "CopyWorkspaceImageResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -112,10 +96,6 @@ ".__no_name": { "rendered": "CreateConnectClientAddInResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -136,10 +116,6 @@ ".__no_name": { "rendered": "CreateConnectionAliasResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -160,10 +136,6 @@ ".__no_name": { "rendered": "CreateIpGroupResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -184,10 +156,6 @@ ".__no_name": { "rendered": "CreateStandbyWorkspacesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -208,10 +176,6 @@ ".__no_name": { "rendered": "CreateTagsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -232,10 +196,6 @@ ".__no_name": { "rendered": "CreateUpdatedWorkspaceImageResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -256,10 +216,6 @@ ".__no_name": { "rendered": "CreateWorkspaceBundleResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -280,10 +236,6 @@ ".__no_name": { "rendered": "CreateWorkspaceImageResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -304,10 +256,6 @@ ".__no_name": { "rendered": "CreateWorkspacesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -328,10 +276,6 @@ ".__no_name": { "rendered": "DeleteClientBrandingResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -352,10 +296,6 @@ ".__no_name": { "rendered": "DeleteConnectClientAddInResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -376,10 +316,6 @@ ".__no_name": { "rendered": "DeleteConnectionAliasResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -400,10 +336,6 @@ ".__no_name": { "rendered": "DeleteIpGroupResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -424,10 +356,6 @@ ".__no_name": { "rendered": "DeleteTagsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -448,10 +376,6 @@ ".__no_name": { "rendered": "DeleteWorkspaceBundleResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -472,10 +396,6 @@ ".__no_name": { "rendered": "DeleteWorkspaceImageResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -496,10 +416,6 @@ ".__no_name": { "rendered": "DeregisterWorkspaceDirectoryResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -520,10 +436,6 @@ ".__no_name": { "rendered": "DescribeAccountResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -544,10 +456,6 @@ ".__no_name": { "rendered": "DescribeAccountModificationsResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -568,10 +476,6 @@ ".__no_name": { "rendered": "DescribeClientBrandingResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -592,10 +496,6 @@ ".__no_name": { "rendered": "DescribeClientPropertiesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -616,10 +516,6 @@ ".__no_name": { "rendered": "DescribeConnectClientAddInsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -640,10 +536,6 @@ ".__no_name": { "rendered": "DescribeConnectionAliasPermissionsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -664,10 +556,6 @@ ".__no_name": { "rendered": "DescribeConnectionAliasesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -688,10 +576,6 @@ ".__no_name": { "rendered": "DescribeIpGroupsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -712,10 +596,6 @@ ".__no_name": { "rendered": "DescribeTagsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -745,10 +625,6 @@ ".__no_name": { "rendered": "DescribeWorkspaceBundlesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -778,10 +654,6 @@ ".__no_name": { "rendered": "DescribeWorkspaceDirectoriesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -802,10 +674,6 @@ ".__no_name": { "rendered": "DescribeWorkspaceImagePermissionsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -826,10 +694,6 @@ ".__no_name": { "rendered": "DescribeWorkspaceImagesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -850,10 +714,6 @@ ".__no_name": { "rendered": "DescribeWorkspaceSnapshotsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -887,10 +747,6 @@ ".__no_name": { "rendered": "DescribeWorkspacesResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -911,10 +767,6 @@ ".__no_name": { "rendered": "DescribeWorkspacesConnectionStatusResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -935,10 +787,6 @@ ".__no_name": { "rendered": "DisassociateConnectionAliasResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -959,10 +807,6 @@ ".__no_name": { "rendered": "DisassociateIpGroupsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -983,10 +827,6 @@ ".__no_name": { "rendered": "ImportClientBrandingResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1007,10 +847,6 @@ ".__no_name": { "rendered": "ImportWorkspaceImageResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1031,10 +867,6 @@ ".__no_name": { "rendered": "ListAvailableManagementCidrRangesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1055,10 +887,6 @@ ".__no_name": { "rendered": "MigrateWorkspaceResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1079,10 +907,6 @@ ".__no_name": { "rendered": "ModifyAccountResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1103,10 +927,6 @@ ".__no_name": { "rendered": "ModifyCertificateBasedAuthPropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1127,10 +947,6 @@ ".__no_name": { "rendered": "ModifyClientPropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1151,10 +967,6 @@ ".__no_name": { "rendered": "ModifySamlPropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1175,10 +987,6 @@ ".__no_name": { "rendered": "ModifySelfservicePermissionsResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1199,10 +1007,6 @@ ".__no_name": { "rendered": "ModifyWorkspaceAccessPropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1223,10 +1027,6 @@ ".__no_name": { "rendered": "ModifyWorkspaceCreationPropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1247,10 +1047,6 @@ ".__no_name": { "rendered": "ModifyWorkspacePropertiesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1271,10 +1067,6 @@ ".__no_name": { "rendered": "ModifyWorkspaceStateResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1295,10 +1087,6 @@ ".__no_name": { "rendered": "RebootWorkspacesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1319,10 +1107,6 @@ ".__no_name": { "rendered": "RebuildWorkspacesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1343,10 +1127,6 @@ ".__no_name": { "rendered": "RegisterWorkspaceDirectoryResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1367,10 +1147,6 @@ ".__no_name": { "rendered": "RestoreWorkspaceResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1391,10 +1167,6 @@ ".__no_name": { "rendered": "RevokeIpRulesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1415,10 +1187,6 @@ ".__no_name": { "rendered": "StartWorkspacesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1439,10 +1207,6 @@ ".__no_name": { "rendered": "StopWorkspacesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1463,10 +1227,6 @@ ".__no_name": { "rendered": "TerminateWorkspacesResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1487,10 +1247,6 @@ ".__no_name": { "rendered": "UpdateConnectClientAddInResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1511,10 +1267,6 @@ ".__no_name": { "rendered": "UpdateConnectionAliasPermissionResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1535,10 +1287,6 @@ ".__no_name": { "rendered": "UpdateRulesOfIpGroupResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1559,10 +1307,6 @@ ".__no_name": { "rendered": "UpdateWorkspaceBundleResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1583,10 +1327,6 @@ ".__no_name": { "rendered": "UpdateWorkspaceImagePermissionResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/atlassian-jira.json b/src/app/generator/test-data/param-generator/golden-files/atlassian-jira.json index 13396f6..8b5818f 100644 --- a/src/app/generator/test-data/param-generator/golden-files/atlassian-jira.json +++ b/src/app/generator/test-data/param-generator/golden-files/atlassian-jira.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "AnnouncementBannerConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -29,11 +25,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -62,11 +54,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -125,10 +113,6 @@ ".__no_name": { "rendered": "PageBeanContextualConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -152,11 +136,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -190,11 +170,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -226,11 +202,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ApplicationProperty", "requiresRelaxedTypeAnnotation": false } } @@ -245,11 +217,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ApplicationProperty", "requiresRelaxedTypeAnnotation": false } } @@ -276,10 +244,6 @@ ".__no_name": { "rendered": "ApplicationProperty", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -293,11 +257,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ApplicationRole", "requiresRelaxedTypeAnnotation": false } } @@ -315,10 +275,6 @@ ".__no_name": { "rendered": "ApplicationRole", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -342,12 +298,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -359,10 +311,6 @@ ".__no_name": { "rendered": "AttachmentSettings", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -398,12 +346,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -440,10 +384,6 @@ ".__no_name": { "rendered": "AttachmentMetadata", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -460,10 +400,6 @@ ".__no_name": { "rendered": "AttachmentArchiveMetadataReadable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -480,10 +416,6 @@ ".__no_name": { "rendered": "AttachmentArchiveImpl", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -520,10 +452,6 @@ ".__no_name": { "rendered": "AuditRecords", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -539,11 +467,7 @@ "response": { ".__no_name": { "rendered": "SystemAvatars", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -573,10 +497,6 @@ ".__no_name": { "rendered": "PageBeanComment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -593,10 +513,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -641,10 +557,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -672,11 +584,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -698,10 +606,6 @@ ".__no_name": { "rendered": "ProjectComponent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -747,10 +651,6 @@ ".__no_name": { "rendered": "ProjectComponent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -776,10 +676,6 @@ ".__no_name": { "rendered": "ProjectComponent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -796,10 +692,6 @@ ".__no_name": { "rendered": "ComponentIssuesCount", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -811,10 +703,6 @@ ".__no_name": { "rendered": "Configuration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -826,10 +714,6 @@ ".__no_name": { "rendered": "TimeTrackingProvider", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -848,11 +732,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -867,11 +747,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TimeTrackingProvider", "requiresRelaxedTypeAnnotation": false } } @@ -884,10 +760,6 @@ ".__no_name": { "rendered": "TimeTrackingConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -908,10 +780,6 @@ ".__no_name": { "rendered": "TimeTrackingConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -928,10 +796,6 @@ ".__no_name": { "rendered": "CustomFieldOption", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -960,10 +824,6 @@ ".__no_name": { "rendered": "PageOfDashboards", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -984,10 +844,6 @@ ".__no_name": { "rendered": "Dashboard", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -999,10 +855,6 @@ ".__no_name": { "rendered": "AvailableDashboardGadgetsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1063,10 +915,6 @@ ".__no_name": { "rendered": "PageBeanDashboard", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1112,10 +960,6 @@ ".__no_name": { "rendered": "DashboardGadgetResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1141,10 +985,6 @@ ".__no_name": { "rendered": "DashboardGadget", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1163,11 +1003,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1196,11 +1032,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1222,10 +1054,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1278,10 +1106,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1313,11 +1137,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1355,10 +1175,6 @@ ".__no_name": { "rendered": "Dashboard", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1384,10 +1200,6 @@ ".__no_name": { "rendered": "Dashboard", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1413,10 +1225,6 @@ ".__no_name": { "rendered": "Dashboard", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1430,11 +1238,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "IssueEvent", "requiresRelaxedTypeAnnotation": false } } @@ -1465,10 +1269,6 @@ ".__no_name": { "rendered": "JiraExpressionsAnalysis", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1498,10 +1298,6 @@ ".__no_name": { "rendered": "JiraExpressionResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1515,12 +1311,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "FieldDetails", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1541,10 +1333,6 @@ ".__no_name": { "rendered": "FieldDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1597,10 +1385,6 @@ ".__no_name": { "rendered": "PageBeanField", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1645,10 +1429,6 @@ ".__no_name": { "rendered": "PageBeanField", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1672,11 +1452,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1723,10 +1499,6 @@ ".__no_name": { "rendered": "PageBeanCustomFieldContext", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1752,10 +1524,6 @@ ".__no_name": { "rendered": "CreateCustomFieldContext", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1793,10 +1561,6 @@ ".__no_name": { "rendered": "PageBeanCustomFieldContextDefaultValue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1820,11 +1584,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1863,10 +1623,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeToContextMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1905,10 +1661,6 @@ ".__no_name": { "rendered": "PageBeanContextForProjectAndIssueType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1946,10 +1698,6 @@ ".__no_name": { "rendered": "PageBeanCustomFieldContextProjectMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1968,11 +1716,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2001,11 +1745,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2034,11 +1774,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2067,11 +1803,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2114,10 +1846,6 @@ ".__no_name": { "rendered": "PageBeanCustomFieldContextOption", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2147,10 +1875,6 @@ ".__no_name": { "rendered": "CustomFieldCreatedContextOptionsList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2180,10 +1904,6 @@ ".__no_name": { "rendered": "CustomFieldUpdatedContextOptionsList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2211,11 +1931,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2272,11 +1988,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2305,11 +2017,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2340,10 +2048,6 @@ ".__no_name": { "rendered": "PageBeanContext", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2377,10 +2081,6 @@ ".__no_name": { "rendered": "PageBeanScreenWithTab", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2410,10 +2110,6 @@ ".__no_name": { "rendered": "PageBeanIssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2439,10 +2135,6 @@ ".__no_name": { "rendered": "IssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2476,10 +2168,6 @@ ".__no_name": { "rendered": "PageBeanIssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2513,10 +2201,6 @@ ".__no_name": { "rendered": "PageBeanIssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2535,11 +2219,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2561,10 +2241,6 @@ ".__no_name": { "rendered": "IssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2594,10 +2270,6 @@ ".__no_name": { "rendered": "IssueFieldOption", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2677,11 +2349,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2697,11 +2365,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2743,10 +2407,6 @@ ".__no_name": { "rendered": "PageBeanFieldConfigurationDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2767,10 +2427,6 @@ ".__no_name": { "rendered": "FieldConfiguration", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2785,11 +2441,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2814,11 +2466,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2849,10 +2497,6 @@ ".__no_name": { "rendered": "PageBeanFieldConfigurationItem", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2876,11 +2520,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2914,10 +2554,6 @@ ".__no_name": { "rendered": "PageBeanFieldConfigurationScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2938,10 +2574,6 @@ ".__no_name": { "rendered": "FieldConfigurationScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2974,10 +2606,6 @@ ".__no_name": { "rendered": "PageBeanFieldConfigurationIssueTypeItem", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3010,10 +2638,6 @@ ".__no_name": { "rendered": "PageBeanFieldConfigurationSchemeProjects", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3032,11 +2656,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3052,11 +2672,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3081,11 +2697,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3110,11 +2722,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3139,11 +2747,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3167,12 +2771,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Filter", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3206,10 +2806,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3221,10 +2817,6 @@ ".__no_name": { "rendered": "DefaultShareScope", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3245,10 +2837,6 @@ ".__no_name": { "rendered": "DefaultShareScope", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3271,12 +2859,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Filter", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3303,12 +2887,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Filter", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3377,10 +2957,6 @@ ".__no_name": { "rendered": "PageBeanFilterDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3430,10 +3006,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3472,10 +3044,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3514,11 +3082,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ColumnItem", "requiresRelaxedTypeAnnotation": false } } @@ -3547,11 +3111,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3578,10 +3138,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3607,10 +3163,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3634,11 +3186,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3658,12 +3206,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "SharePermission", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3691,12 +3235,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "SharePermission", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3741,10 +3281,6 @@ ".__no_name": { "rendered": "SharePermission", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3809,10 +3345,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3821,7 +3353,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: AddGroupBean,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -3833,10 +3365,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3885,10 +3413,6 @@ ".__no_name": { "rendered": "PageBeanGroupDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3925,10 +3449,6 @@ ".__no_name": { "rendered": "PageBeanUserDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3986,7 +3506,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: UpdateUserToGroupBean,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -3998,10 +3518,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4054,10 +3570,6 @@ ".__no_name": { "rendered": "FoundGroups", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4118,10 +3630,6 @@ ".__no_name": { "rendered": "FoundUsersAndGroups", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4133,10 +3641,6 @@ ".__no_name": { "rendered": "License", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4166,10 +3670,6 @@ ".__no_name": { "rendered": "CreatedIssue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4190,10 +3690,6 @@ ".__no_name": { "rendered": "CreatedIssues", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4246,10 +3742,6 @@ ".__no_name": { "rendered": "IssueCreateMetadata", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4290,10 +3782,6 @@ ".__no_name": { "rendered": "IssuePickerSuggestions", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4420,10 +3908,6 @@ ".__no_name": { "rendered": "BulkIssueIsWatching", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4501,11 +3985,7 @@ "response": { ".__no_name": { "rendered": "IssueBean", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4546,11 +4026,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4575,11 +4051,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4605,15 +4077,11 @@ "response": { ".__no_name": { "rendered": "(Attachment)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Attachment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4642,11 +4110,7 @@ "response": { ".__no_name": { "rendered": "PageBeanChangelog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4671,11 +4135,7 @@ "response": { ".__no_name": { "rendered": "PageOfChangelogs", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4713,10 +4173,6 @@ ".__no_name": { "rendered": "PageOfComments", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4751,10 +4207,6 @@ ".__no_name": { "rendered": "Comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4808,10 +4260,6 @@ ".__no_name": { "rendered": "Comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4858,10 +4306,6 @@ ".__no_name": { "rendered": "Comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4891,10 +4335,6 @@ ".__no_name": { "rendered": "IssueUpdateMetadata", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4903,7 +4343,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: Notification,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -4918,11 +4358,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4940,10 +4376,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4988,10 +4420,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5019,11 +4447,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5078,11 +4502,7 @@ "response": { ".__no_name": { "rendered": "RemoteIssueLink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5091,7 +4511,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: RemoteIssueLinkRequest,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -5108,10 +4528,6 @@ ".__no_name": { "rendered": "RemoteIssueLinkIdentifies", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5155,11 +4571,7 @@ "response": { ".__no_name": { "rendered": "RemoteIssueLink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5168,7 +4580,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: RemoteIssueLinkRequest,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -5187,11 +4599,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5233,11 +4641,7 @@ "response": { ".__no_name": { "rendered": "Transitions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5261,11 +4665,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5303,10 +4703,6 @@ ".__no_name": { "rendered": "Votes", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5321,11 +4717,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5376,10 +4768,6 @@ ".__no_name": { "rendered": "Watchers", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5403,11 +4791,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5450,10 +4834,6 @@ ".__no_name": { "rendered": "PageOfWorklogs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5508,10 +4888,6 @@ ".__no_name": { "rendered": "Worklog", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5590,10 +4966,6 @@ ".__no_name": { "rendered": "Worklog", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5648,10 +5020,6 @@ ".__no_name": { "rendered": "Worklog", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5672,10 +5040,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5728,10 +5092,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5763,11 +5123,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5787,11 +5143,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5829,10 +5181,6 @@ ".__no_name": { "rendered": "IssueLink", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5844,10 +5192,6 @@ ".__no_name": { "rendered": "IssueLinkTypes", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5868,10 +5212,6 @@ ".__no_name": { "rendered": "IssueLinkType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5908,10 +5248,6 @@ ".__no_name": { "rendered": "IssueLinkType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5937,10 +5273,6 @@ ".__no_name": { "rendered": "IssueLinkType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5952,10 +5284,6 @@ ".__no_name": { "rendered": "SecuritySchemes", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5972,10 +5300,6 @@ ".__no_name": { "rendered": "SecurityScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6017,10 +5341,6 @@ ".__no_name": { "rendered": "PageBeanIssueSecurityLevelMember", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6034,12 +5354,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "IssueTypeDetails", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6060,10 +5376,6 @@ ".__no_name": { "rendered": "IssueTypeDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6090,12 +5402,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "IssueTypeDetails", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6141,10 +5449,6 @@ ".__no_name": { "rendered": "IssueTypeDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6170,10 +5474,6 @@ ".__no_name": { "rendered": "IssueTypeDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6192,13 +5492,9 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } + "rendered": "IssueTypeDetails", + "requiresRelaxedTypeAnnotation": true + } } }, "post__/rest/api/3/issuetype/{id}/avatar2": { @@ -6239,11 +5535,7 @@ "response": { ".__no_name": { "rendered": "Avatar", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6260,10 +5552,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6308,10 +5596,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6339,11 +5623,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6389,10 +5669,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6413,10 +5689,6 @@ ".__no_name": { "rendered": "IssueTypeSchemeID", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6449,10 +5721,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeSchemeMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6485,10 +5753,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeSchemeProjects", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6507,11 +5771,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6527,11 +5787,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6556,11 +5812,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6585,11 +5837,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6614,11 +5862,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6638,11 +5882,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6688,10 +5928,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeScreenScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6712,10 +5948,6 @@ ".__no_name": { "rendered": "IssueTypeScreenSchemeId", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6748,10 +5980,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeScreenSchemeItem", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6784,10 +6012,6 @@ ".__no_name": { "rendered": "PageBeanIssueTypeScreenSchemesProjects", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6806,11 +6030,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6826,11 +6046,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6855,11 +6071,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6884,11 +6096,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6913,11 +6121,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6942,11 +6146,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6981,10 +6181,6 @@ ".__no_name": { "rendered": "PageBeanProjectDetails", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6996,10 +6192,6 @@ ".__no_name": { "rendered": "JQLReferenceData", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7020,10 +6212,6 @@ ".__no_name": { "rendered": "JQLReferenceData", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7056,10 +6244,6 @@ ".__no_name": { "rendered": "AutoCompleteSuggestions", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7100,10 +6284,6 @@ ".__no_name": { "rendered": "PageBeanJqlFunctionPrecomputationBean", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7122,11 +6302,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7148,10 +6324,6 @@ ".__no_name": { "rendered": "IssueMatches", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7181,10 +6353,6 @@ ".__no_name": { "rendered": "ParsedJqlQueries", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7205,10 +6373,6 @@ ".__no_name": { "rendered": "ConvertedJQLQueries", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7229,10 +6393,6 @@ ".__no_name": { "rendered": "SanitizedJqlQueries", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7257,10 +6417,6 @@ ".__no_name": { "rendered": "PageBeanString", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7272,10 +6428,6 @@ ".__no_name": { "rendered": "LicenseMetric", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7292,10 +6444,6 @@ ".__no_name": { "rendered": "LicenseMetric", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7344,10 +6492,6 @@ ".__no_name": { "rendered": "Permissions", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7392,10 +6536,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7423,11 +6563,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7438,11 +6574,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7455,10 +6587,6 @@ ".__no_name": { "rendered": "Locale", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7477,11 +6605,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7503,10 +6627,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7555,10 +6675,6 @@ ".__no_name": { "rendered": "PageBeanNotificationScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7567,7 +6683,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: CreateNotificationSchemeDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -7578,11 +6694,7 @@ "response": { ".__no_name": { "rendered": "NotificationSchemeId", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7623,10 +6735,6 @@ ".__no_name": { "rendered": "PageBeanNotificationSchemeAndProjectMappingJsonBean", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7652,10 +6760,6 @@ ".__no_name": { "rendered": "NotificationScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7664,7 +6768,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: UpdateNotificationSchemeDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -7679,11 +6783,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7693,7 +6793,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: AddNotificationsDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -7708,11 +6808,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7728,11 +6824,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7752,11 +6844,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7769,10 +6857,6 @@ ".__no_name": { "rendered": "Permissions", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7793,10 +6877,6 @@ ".__no_name": { "rendered": "BulkPermissionGrants", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7817,10 +6897,6 @@ ".__no_name": { "rendered": "PermittedProjects", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7841,10 +6917,6 @@ ".__no_name": { "rendered": "PermissionSchemes", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7874,10 +6946,6 @@ ".__no_name": { "rendered": "PermissionScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7923,10 +6991,6 @@ ".__no_name": { "rendered": "PermissionScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7961,10 +7025,6 @@ ".__no_name": { "rendered": "PermissionScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7990,10 +7050,6 @@ ".__no_name": { "rendered": "PermissionGrants", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8028,10 +7084,6 @@ ".__no_name": { "rendered": "PermissionGrant", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8085,10 +7137,6 @@ ".__no_name": { "rendered": "PermissionGrant", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8099,15 +7147,11 @@ "response": { ".__no_name": { "rendered": "(Priority)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Priority", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8127,11 +7171,7 @@ "response": { ".__no_name": { "rendered": "PriorityId", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8150,11 +7190,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -8174,11 +7210,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -8215,11 +7247,7 @@ "response": { ".__no_name": { "rendered": "PageBeanPriority", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8264,11 +7292,7 @@ "response": { ".__no_name": { "rendered": "Priority", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8292,11 +7316,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -8332,12 +7352,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8358,10 +7374,6 @@ ".__no_name": { "rendered": "ProjectIdentifiers", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8392,12 +7404,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8482,10 +7490,6 @@ ".__no_name": { "rendered": "PageBeanProject", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8499,11 +7503,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ProjectType", "requiresRelaxedTypeAnnotation": false } } @@ -8518,11 +7518,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ProjectType", "requiresRelaxedTypeAnnotation": false } } @@ -8540,10 +7536,6 @@ ".__no_name": { "rendered": "ProjectType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8560,10 +7552,6 @@ ".__no_name": { "rendered": "ProjectType", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8626,10 +7614,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8664,10 +7648,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8682,11 +7662,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -8696,7 +7672,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: Avatar,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -8711,11 +7687,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -8782,11 +7754,7 @@ "response": { ".__no_name": { "rendered": "Avatar", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8802,11 +7770,7 @@ "response": { ".__no_name": { "rendered": "ProjectAvatars", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8844,10 +7808,6 @@ ".__no_name": { "rendered": "PageBeanComponentWithIssueCount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8866,12 +7826,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ProjectComponent", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8908,10 +7864,6 @@ ".__no_name": { "rendered": "ContainerForProjectFeatures", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8941,10 +7893,6 @@ ".__no_name": { "rendered": "ContainerForProjectFeatures", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8961,10 +7909,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9009,10 +7953,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9040,11 +7980,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -9062,10 +7998,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9080,12 +8012,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -9155,11 +8083,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -9188,11 +8112,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -9221,11 +8141,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -9257,12 +8173,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ProjectRoleDetails", + "requiresRelaxedTypeAnnotation": true } } }, @@ -9278,15 +8190,11 @@ "response": { ".__no_name": { "rendered": "(IssueTypeWithStatus)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "IssueTypeWithStatus", + "requiresRelaxedTypeAnnotation": true } } }, @@ -9307,10 +8215,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9355,11 +8259,7 @@ "response": { ".__no_name": { "rendered": "PageBeanVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -9384,15 +8284,11 @@ "response": { ".__no_name": { "rendered": "(Version)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Version", + "requiresRelaxedTypeAnnotation": true } } }, @@ -9409,10 +8305,6 @@ ".__no_name": { "rendered": "ProjectEmailAddress", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9436,11 +8328,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -9458,10 +8346,6 @@ ".__no_name": { "rendered": "ProjectIssueTypeHierarchy", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9478,10 +8362,6 @@ ".__no_name": { "rendered": "SecurityScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9507,10 +8387,6 @@ ".__no_name": { "rendered": "NotificationScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9536,10 +8412,6 @@ ".__no_name": { "rendered": "PermissionScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9574,10 +8446,6 @@ ".__no_name": { "rendered": "PermissionScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9594,10 +8462,6 @@ ".__no_name": { "rendered": "ProjectIssueSecurityLevels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9611,11 +8475,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ProjectCategory", "requiresRelaxedTypeAnnotation": false } } @@ -9637,10 +8497,6 @@ ".__no_name": { "rendered": "ProjectCategory", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9677,10 +8533,6 @@ ".__no_name": { "rendered": "ProjectCategory", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9706,10 +8558,6 @@ ".__no_name": { "rendered": "UpdatedProjectCategory", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9730,10 +8578,6 @@ ".__no_name": { "rendered": "ErrorCollection", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9754,10 +8598,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9778,10 +8618,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9795,11 +8631,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Resolution", "requiresRelaxedTypeAnnotation": false } } @@ -9809,7 +8641,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: CreateResolutionDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -9820,11 +8652,7 @@ "response": { ".__no_name": { "rendered": "ResolutionId", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -9843,11 +8671,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -9867,11 +8691,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -9909,10 +8729,6 @@ ".__no_name": { "rendered": "PageBeanResolutionJsonBean", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9958,10 +8774,6 @@ ".__no_name": { "rendered": "Resolution", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9970,7 +8782,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: UpdateResolutionDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -9985,11 +8797,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10001,15 +8809,11 @@ "response": { ".__no_name": { "rendered": "(ProjectRole)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ProjectRole", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10029,11 +8833,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10078,11 +8878,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10107,11 +8903,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10136,11 +8928,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10173,11 +8961,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10193,11 +8977,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10222,11 +9002,7 @@ "response": { ".__no_name": { "rendered": "ProjectRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10275,10 +9051,6 @@ ".__no_name": { "rendered": "PageBeanScreen", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10299,10 +9071,6 @@ ".__no_name": { "rendered": "Screen", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10317,11 +9085,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10368,10 +9132,6 @@ ".__no_name": { "rendered": "Screen", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10390,11 +9150,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ScreenableField", "requiresRelaxedTypeAnnotation": false } } @@ -10423,11 +9179,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ScreenableTab", "requiresRelaxedTypeAnnotation": false } } @@ -10454,10 +9206,6 @@ ".__no_name": { "rendered": "ScreenableTab", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10511,10 +9259,6 @@ ".__no_name": { "rendered": "ScreenableTab", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10546,11 +9290,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ScreenableField", "requiresRelaxedTypeAnnotation": false } } @@ -10581,10 +9321,6 @@ ".__no_name": { "rendered": "ScreenableField", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10644,11 +9380,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10672,11 +9404,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10722,10 +9450,6 @@ ".__no_name": { "rendered": "PageBeanScreenScheme", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10744,11 +9468,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ScreenSchemeId", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ScreenSchemeId", "requiresRelaxedTypeAnnotation": false } } @@ -10793,11 +9513,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10854,11 +9570,7 @@ "response": { ".__no_name": { "rendered": "SearchResults", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10878,11 +9590,7 @@ "response": { ".__no_name": { "rendered": "SearchResults", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -10899,10 +9607,6 @@ ".__no_name": { "rendered": "SecurityLevel", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10914,10 +9618,6 @@ ".__no_name": { "rendered": "ServerInformation", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10931,11 +9631,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ColumnItem", "requiresRelaxedTypeAnnotation": false } } @@ -10959,11 +9655,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -10975,15 +9667,11 @@ "response": { ".__no_name": { "rendered": "(StatusDetails)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "StatusDetails", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10999,11 +9687,7 @@ "response": { ".__no_name": { "rendered": "StatusDetails", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -11014,15 +9698,11 @@ "response": { ".__no_name": { "rendered": "(StatusCategory)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "StatusCategory", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11038,11 +9718,7 @@ "response": { ".__no_name": { "rendered": "StatusCategory", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -11065,11 +9741,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11101,12 +9773,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "JiraStatus", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11129,12 +9797,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "JiraStatus", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11153,11 +9817,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11199,10 +9859,6 @@ ".__no_name": { "rendered": "PageOfStatuses", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11219,10 +9875,6 @@ ".__no_name": { "rendered": "TaskProgressBeanObject", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11237,11 +9889,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11271,10 +9919,6 @@ ".__no_name": { "rendered": "PageBeanUiModificationDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11295,10 +9939,6 @@ ".__no_name": { "rendered": "UiModificationIdentifiers", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11313,11 +9953,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11342,11 +9978,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11367,11 +9999,7 @@ "response": { ".__no_name": { "rendered": "Avatars", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -11417,11 +10045,7 @@ "response": { ".__no_name": { "rendered": "Avatar", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -11477,12 +10101,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11514,12 +10134,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11551,12 +10167,8 @@ }, "response": { ".__no_name": { - "rendered": "ConnectModule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11621,10 +10233,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11633,7 +10241,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: NewUserDetails,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -11645,10 +10253,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11691,12 +10295,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11755,12 +10355,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11809,10 +10405,6 @@ ".__no_name": { "rendered": "PageBeanUser", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11855,11 +10447,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "UserMigrationBean", "requiresRelaxedTypeAnnotation": false } } @@ -11915,11 +10503,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ColumnItem", "requiresRelaxedTypeAnnotation": false } } @@ -11952,11 +10536,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -11977,11 +10557,7 @@ "response": { ".__no_name": { "rendered": "UnrestrictedUserEmail", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12005,11 +10581,7 @@ "response": { ".__no_name": { "rendered": "UnrestrictedUserEmail", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12040,11 +10612,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "GroupName", "requiresRelaxedTypeAnnotation": false } } @@ -12096,12 +10664,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12154,10 +10718,6 @@ ".__no_name": { "rendered": "FoundUsers", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12186,10 +10746,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12260,10 +10816,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12304,11 +10856,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -12352,12 +10900,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12386,10 +10930,6 @@ ".__no_name": { "rendered": "PageBeanUser", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12418,10 +10958,6 @@ ".__no_name": { "rendered": "PageBeanUserKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12468,12 +11004,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12500,12 +11032,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12531,13 +11059,9 @@ "rendered": "(User)[]", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.__no_name": { + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12546,7 +11070,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: Version,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -12557,11 +11081,7 @@ "response": { ".__no_name": { "rendered": "Version", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12619,11 +11139,7 @@ "response": { ".__no_name": { "rendered": "Version", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12632,7 +11148,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: Version,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -12648,11 +11164,7 @@ "response": { ".__no_name": { "rendered": "Version", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12671,11 +11183,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -12701,11 +11209,7 @@ "response": { ".__no_name": { "rendered": "Version", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -12722,10 +11226,6 @@ ".__no_name": { "rendered": "VersionIssueCounts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12749,11 +11249,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -12771,10 +11267,6 @@ ".__no_name": { "rendered": "VersionUnresolvedIssuesCount", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12823,10 +11315,6 @@ ".__no_name": { "rendered": "PageBeanWebhook", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12847,10 +11335,6 @@ ".__no_name": { "rendered": "ContainerForRegisteredWebhooks", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12875,10 +11359,6 @@ ".__no_name": { "rendered": "FailedWebhooks", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12899,10 +11379,6 @@ ".__no_name": { "rendered": "WebhooksExpirationDate", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12925,12 +11401,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DeprecatedWorkflow", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12951,10 +11423,6 @@ ".__no_name": { "rendered": "WorkflowIDs", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13019,10 +11487,6 @@ ".__no_name": { "rendered": "PageBeanWorkflowTransitionRules", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13043,10 +11507,6 @@ ".__no_name": { "rendered": "WorkflowTransitionRulesUpdateErrors", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13067,10 +11527,6 @@ ".__no_name": { "rendered": "WorkflowTransitionRulesUpdateErrors", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13119,10 +11575,6 @@ ".__no_name": { "rendered": "PageBeanWorkflow", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13196,11 +11648,7 @@ "response": { ".__no_name": { "rendered": "WorkflowTransitionProperty", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -13226,7 +11674,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: WorkflowTransitionProperty,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -13242,11 +11690,7 @@ "response": { ".__no_name": { "rendered": "WorkflowTransitionProperty", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -13272,7 +11716,7 @@ "body": { ".data": { "rendered": "\n/** Request body */\n data: WorkflowTransitionProperty,", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".data.__no_name": { "rendered": "__undefined", @@ -13288,11 +11732,7 @@ "response": { ".__no_name": { "rendered": "WorkflowTransitionProperty", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -13337,10 +11777,6 @@ ".__no_name": { "rendered": "PageBeanWorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13361,10 +11797,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13389,10 +11821,6 @@ ".__no_name": { "rendered": "ContainerOfWorkflowSchemeAssociations", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13411,11 +11839,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -13431,11 +11855,7 @@ }, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -13462,10 +11882,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13491,10 +11907,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13511,10 +11923,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13540,10 +11948,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13569,10 +11973,6 @@ ".__no_name": { "rendered": "DefaultWorkflow", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13598,10 +11998,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13638,10 +12034,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13667,10 +12059,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13687,10 +12075,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13707,10 +12091,6 @@ ".__no_name": { "rendered": "DefaultWorkflow", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13736,10 +12116,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13760,10 +12136,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13784,10 +12156,6 @@ ".__no_name": { "rendered": "IssueTypeWorkflowMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13817,10 +12185,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13913,10 +12277,6 @@ ".__no_name": { "rendered": "IssueTypesWorkflowMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13951,10 +12311,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13984,10 +12340,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14017,10 +12369,6 @@ ".__no_name": { "rendered": "IssueTypeWorkflowMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14050,10 +12398,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14116,10 +12460,6 @@ ".__no_name": { "rendered": "IssueTypesWorkflowMapping", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14154,10 +12494,6 @@ ".__no_name": { "rendered": "WorkflowScheme", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14178,10 +12514,6 @@ ".__no_name": { "rendered": "ChangedWorklogs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14213,12 +12545,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Worklog", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14243,10 +12571,6 @@ ".__no_name": { "rendered": "ChangedWorklogs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14263,10 +12587,6 @@ ".__no_name": { "rendered": "PropertyKeys", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14311,10 +12631,6 @@ ".__no_name": { "rendered": "EntityProperty", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14344,10 +12660,6 @@ ".__no_name": { "rendered": "OperationMessage", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14387,10 +12699,6 @@ ".__no_name": { "rendered": "ConnectModules", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14433,11 +12741,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -14492,10 +12796,6 @@ ".__no_name": { "rendered": "WorkflowRulesSearchDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/aws-cloud-map.json b/src/app/generator/test-data/param-generator/golden-files/aws-cloud-map.json index 9ecd935..cde3d24 100644 --- a/src/app/generator/test-data/param-generator/golden-files/aws-cloud-map.json +++ b/src/app/generator/test-data/param-generator/golden-files/aws-cloud-map.json @@ -16,10 +16,6 @@ ".__no_name": { "rendered": "CreateHttpNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -40,10 +36,6 @@ ".__no_name": { "rendered": "CreatePrivateDnsNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -64,10 +56,6 @@ ".__no_name": { "rendered": "CreatePublicDnsNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -88,10 +76,6 @@ ".__no_name": { "rendered": "CreateServiceResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -112,10 +96,6 @@ ".__no_name": { "rendered": "DeleteNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -136,10 +116,6 @@ ".__no_name": { "rendered": "DeleteServiceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -160,10 +136,6 @@ ".__no_name": { "rendered": "DeregisterInstanceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -184,10 +156,6 @@ ".__no_name": { "rendered": "DiscoverInstancesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -208,10 +176,6 @@ ".__no_name": { "rendered": "GetInstanceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -245,10 +209,6 @@ ".__no_name": { "rendered": "GetInstancesHealthStatusResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -269,10 +229,6 @@ ".__no_name": { "rendered": "GetNamespaceResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -293,10 +249,6 @@ ".__no_name": { "rendered": "GetOperationResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -317,10 +269,6 @@ ".__no_name": { "rendered": "GetServiceResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -354,10 +302,6 @@ ".__no_name": { "rendered": "ListInstancesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -391,10 +335,6 @@ ".__no_name": { "rendered": "ListNamespacesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -428,10 +368,6 @@ ".__no_name": { "rendered": "ListOperationsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -465,10 +401,6 @@ ".__no_name": { "rendered": "ListServicesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -489,10 +421,6 @@ ".__no_name": { "rendered": "ListTagsForResourceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -513,10 +441,6 @@ ".__no_name": { "rendered": "RegisterInstanceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -537,10 +461,6 @@ ".__no_name": { "rendered": "TagResourceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -561,10 +481,6 @@ ".__no_name": { "rendered": "UntagResourceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -585,10 +501,6 @@ ".__no_name": { "rendered": "UpdateHttpNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -633,10 +545,6 @@ ".__no_name": { "rendered": "UpdatePrivateDnsNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -657,10 +565,6 @@ ".__no_name": { "rendered": "UpdatePublicDnsNamespaceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -681,10 +585,6 @@ ".__no_name": { "rendered": "UpdateServiceResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/azure-alerts-management.json b/src/app/generator/test-data/param-generator/golden-files/azure-alerts-management.json index 69d21bd..7ec9f4e 100644 --- a/src/app/generator/test-data/param-generator/golden-files/azure-alerts-management.json +++ b/src/app/generator/test-data/param-generator/golden-files/azure-alerts-management.json @@ -25,10 +25,6 @@ ".__no_name": { "rendered": "AlertRulesList", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -62,10 +58,6 @@ ".__no_name": { "rendered": "AlertRulesList", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -140,10 +132,6 @@ ".__no_name": { "rendered": "AlertRule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -186,10 +174,6 @@ ".__no_name": { "rendered": "AlertRule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -232,10 +216,6 @@ ".__no_name": { "rendered": "AlertRule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/azure-automation-management.json b/src/app/generator/test-data/param-generator/golden-files/azure-automation-management.json index c219d1c..05e0b9d 100644 --- a/src/app/generator/test-data/param-generator/golden-files/azure-automation-management.json +++ b/src/app/generator/test-data/param-generator/golden-files/azure-automation-management.json @@ -29,10 +29,6 @@ ".__no_name": { "rendered": "ModuleListResult", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -111,10 +107,6 @@ ".__no_name": { "rendered": "Module", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -161,10 +153,6 @@ ".__no_name": { "rendered": "Module", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -211,10 +199,6 @@ ".__no_name": { "rendered": "Module", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/azure-open-id-connect.json b/src/app/generator/test-data/param-generator/golden-files/azure-open-id-connect.json index 24be4f7..f926b9b 100644 --- a/src/app/generator/test-data/param-generator/golden-files/azure-open-id-connect.json +++ b/src/app/generator/test-data/param-generator/golden-files/azure-open-id-connect.json @@ -39,11 +39,7 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Next page link if any. */\n nextLink?: string,\n /** Page values. */\n value?: (({\n /** Resource ID. */\n id?: string,\n /** Resource name. */\n name?: string,\n /** Resource type for API Management resource. */\n type?: string,\n\n}) & ({\n /** OpenID Connect Providers Contract. */\n properties?: {\n /** Client ID of developer console which is the client application. */\n clientId: string,\n /** Client Secret of developer console which is the client application. */\n clientSecret?: string,\n /** User-friendly description of OpenID Connect Provider. */\n description?: string,\n /**\n * User-friendly OpenID Connect Provider name.\n * @maxLength 50\n */\n displayName: string,\n /** Metadata endpoint URI. */\n metadataEndpoint: string,\n\n},\n\n}))[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -121,11 +117,7 @@ }, "response": { ".__no_name": { - "rendered": "({\n /** Resource ID. */\n id?: string,\n /** Resource name. */\n name?: string,\n /** Resource type for API Management resource. */\n type?: string,\n\n}) & ({\n /** OpenID Connect Providers Contract. */\n properties?: {\n /** Client ID of developer console which is the client application. */\n clientId: string,\n /** Client Secret of developer console which is the client application. */\n clientSecret?: string,\n /** User-friendly description of OpenID Connect Provider. */\n description?: string,\n /**\n * User-friendly OpenID Connect Provider name.\n * @maxLength 50\n */\n displayName: string,\n /** Metadata endpoint URI. */\n metadataEndpoint: string,\n\n},\n\n})", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -262,11 +254,7 @@ }, "response": { ".__no_name": { - "rendered": "({\n /** Resource ID. */\n id?: string,\n /** Resource name. */\n name?: string,\n /** Resource type for API Management resource. */\n type?: string,\n\n}) & ({\n /** OpenID Connect Providers Contract. */\n properties?: {\n /** Client ID of developer console which is the client application. */\n clientId: string,\n /** Client Secret of developer console which is the client application. */\n clientSecret?: string,\n /** User-friendly description of OpenID Connect Provider. */\n description?: string,\n /**\n * User-friendly OpenID Connect Provider name.\n * @maxLength 50\n */\n displayName: string,\n /** Metadata endpoint URI. */\n metadataEndpoint: string,\n\n},\n\n})", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -303,11 +291,7 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Client or app secret used in IdentityProviders, Aad, OpenID or OAuth. */\n clientSecret?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/circleci.json b/src/app/generator/test-data/param-generator/golden-files/circleci.json index a617627..0cb484f 100644 --- a/src/app/generator/test-data/param-generator/golden-files/circleci.json +++ b/src/app/generator/test-data/param-generator/golden-files/circleci.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -48,10 +44,6 @@ ".__no_name": { "rendered": "Builds", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -85,10 +77,6 @@ ".__no_name": { "rendered": "BuildSummary", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -107,15 +95,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n status?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ status?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -137,10 +121,6 @@ ".__no_name": { "rendered": "Keys", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -196,15 +176,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n message?: \"OK\",\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ message?: \"OK\", }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: \"OK\",", "requiresRelaxedTypeAnnotation": false } } @@ -304,15 +280,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n message?: \"OK\",\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ message?: \"OK\", }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: \"OK\",", "requiresRelaxedTypeAnnotation": false } } @@ -416,10 +388,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -444,10 +412,6 @@ ".__no_name": { "rendered": "BuildDetail", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -472,10 +436,6 @@ ".__no_name": { "rendered": "Artifacts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -500,10 +460,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -528,10 +484,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -556,10 +508,6 @@ ".__no_name": { "rendered": "Tests", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -571,10 +519,6 @@ ".__no_name": { "rendered": "Projects", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -599,10 +543,6 @@ ".__no_name": { "rendered": "Builds", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/cisco-meraki.json b/src/app/generator/test-data/param-generator/golden-files/cisco-meraki.json index 61520f2..044d706 100644 --- a/src/app/generator/test-data/param-generator/golden-files/cisco-meraki.json +++ b/src/app/generator/test-data/param-generator/golden-files/cisco-meraki.json @@ -11,11 +11,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -52,15 +48,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -85,15 +77,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -109,15 +97,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -162,15 +146,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -186,11 +166,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -219,11 +195,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -239,11 +211,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -272,11 +240,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -292,11 +256,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -333,11 +293,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -353,11 +309,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -398,11 +350,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -431,15 +379,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -472,11 +416,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -505,15 +445,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -542,15 +478,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -578,15 +510,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Desired major value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n major?: number,\n /** Desired minor value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n minor?: number,\n /** Desired UUID of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n uuid?: string,\n\n}", + "rendered": "{ \n/** Desired major value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n major?: number, \n/** Desired minor value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n minor?: number, \n/** Desired UUID of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n uuid?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.major": { + "rendered": "\n/** Desired major value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n major?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.minor": { + "rendered": "\n/** Desired minor value of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n minor?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.uuid": { + "rendered": "\n/** Desired UUID of the beacon. If the value is set to null it will reset to Dashboard's automatically generated value. */\n uuid?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -623,11 +559,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -656,11 +588,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -676,15 +604,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -713,15 +637,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -737,11 +657,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -786,11 +702,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -806,11 +718,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -835,11 +743,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -855,15 +759,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -883,11 +783,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -920,11 +816,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1002,15 +894,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1043,11 +931,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1062,15 +946,31 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean,\n /** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number,\n /** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string,\n /** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number,\n /** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean,\n /** The UUID to be used in the beacon identifier. */\n uuid?: string,\n\n}", + "rendered": "{ \n/** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean, \n/** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number, \n/** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string, \n/** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number, \n/** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean, \n/** The UUID to be used in the beacon identifier. */\n uuid?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.advertisingEnabled": { + "rendered": "\n/** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.major": { + "rendered": "\n/** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.majorMinorAssignmentMode": { + "rendered": "\n/** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.minor": { + "rendered": "\n/** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scanningEnabled": { + "rendered": "\n/** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.uuid": { + "rendered": "\n/** The UUID to be used in the beacon identifier. */\n uuid?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1099,15 +999,31 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean,\n /** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number,\n /** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string,\n /** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number,\n /** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean,\n /** The UUID to be used in the beacon identifier. */\n uuid?: string,\n\n}", + "rendered": "{ \n/** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean, \n/** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number, \n/** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string, \n/** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number, \n/** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean, \n/** The UUID to be used in the beacon identifier. */\n uuid?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.advertisingEnabled": { + "rendered": "\n/** Whether APs will advertise beacons. */\n advertisingEnabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.major": { + "rendered": "\n/** The major number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n major?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.majorMinorAssignmentMode": { + "rendered": "\n/** The way major and minor number should be assigned to nodes in the network. ('Unique', 'Non-unique') */\n majorMinorAssignmentMode?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.minor": { + "rendered": "\n/** The minor number to be used in the beacon identifier. Only valid in 'Non-unique' mode. */\n minor?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scanningEnabled": { + "rendered": "\n/** Whether APs will scan for Bluetooth enabled clients. */\n scanningEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.uuid": { + "rendered": "\n/** The UUID to be used in the beacon identifier. */\n uuid?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1124,15 +1040,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1169,11 +1081,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1217,11 +1125,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1262,11 +1166,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1282,15 +1182,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1323,11 +1219,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1356,11 +1248,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1376,15 +1264,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1421,15 +1305,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1469,19 +1349,103 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Short description of the client */\n description?: string,\n /** Timestamp client was first seen in the network */\n firstSeen?: number,\n /** 802.1x group policy of the client */\n \"groupPolicy8021x\"?: string,\n /** The ID of the client */\n id?: string,\n /** The IP address of the client */\n ip?: string,\n /** The IPv6 address of the client */\n \"ip6\"?: string,\n /** Local IPv6 address of the client */\n \"ip6Local\"?: string,\n /** Timestamp client was last seen in the network */\n lastSeen?: number,\n /** The MAC address of the client */\n mac?: string,\n /** Manufacturer of the client */\n manufacturer?: string,\n /** Notes on the client */\n notes?: string,\n /** The operating system of the client */\n os?: string,\n /** The MAC address of the node that the device was last connected to */\n recentDeviceMac?: string,\n /** The name of the node the device was last connected to */\n recentDeviceName?: string,\n /** The serial of the node the device was last connected to */\n recentDeviceSerial?: string,\n /** Status of SM for the client */\n smInstalled?: boolean,\n /** The name of the SSID that the client is connected to */\n ssid?: string,\n /** The connection status of the client */\n status?: \"Offline\" | \"Online\",\n /** The switch port that the client is connected to */\n switchport?: string,\n /** Usage, sent and received */\n usage?: {\n /**\n * Usage received by the client\n * @format float\n */\n recv?: number,\n /**\n * Usage sent by the client\n * @format float\n */\n sent?: number,\n\n},\n /** The username of the user of the client */\n user?: string,\n /** The name of the VLAN that the client is connected to */\n vlan?: string,\n\n}", + "rendered": "{ \n/** Short description of the client */\n description?: string, \n/** Timestamp client was first seen in the network */\n firstSeen?: number, \n/** 802.1x group policy of the client */\n groupPolicy8021x?: string, \n/** The ID of the client */\n id?: string, \n/** The IP address of the client */\n ip?: string, \n/** The IPv6 address of the client */\n ip6?: string, \n/** Local IPv6 address of the client */\n ip6Local?: string, \n/** Timestamp client was last seen in the network */\n lastSeen?: number, \n/** The MAC address of the client */\n mac?: string, \n/** Manufacturer of the client */\n manufacturer?: string, \n/** Notes on the client */\n notes?: string, \n/** The operating system of the client */\n os?: string, \n/** The MAC address of the node that the device was last connected to */\n recentDeviceMac?: string, \n/** The name of the node the device was last connected to */\n recentDeviceName?: string, \n/** The serial of the node the device was last connected to */\n recentDeviceSerial?: string, \n/** Status of SM for the client */\n smInstalled?: boolean, \n/** The name of the SSID that the client is connected to */\n ssid?: string, \n/** The connection status of the client */\n status?: \"Offline\" | \"Online\", \n/** The switch port that the client is connected to */\n switchport?: string, \n/** Usage, sent and received */\n usage?: { \n/** Usage received by the client */\n recv?: number, \n/** Usage sent by the client */\n sent?: number, }, \n/** The username of the user of the client */\n user?: string, \n/** The name of the VLAN that the client is connected to */\n vlan?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.description": { + "rendered": "\n/** Short description of the client */\n description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.firstSeen": { + "rendered": "\n/** Timestamp client was first seen in the network */\n firstSeen?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.groupPolicy8021x": { + "rendered": "\n/** 802.1x group policy of the client */\n groupPolicy8021x?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.id": { + "rendered": "\n/** The ID of the client */\n id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ip": { + "rendered": "\n/** The IP address of the client */\n ip?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ip6": { + "rendered": "\n/** The IPv6 address of the client */\n ip6?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ip6Local": { + "rendered": "\n/** Local IPv6 address of the client */\n ip6Local?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.lastSeen": { + "rendered": "\n/** Timestamp client was last seen in the network */\n lastSeen?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.mac": { + "rendered": "\n/** The MAC address of the client */\n mac?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.manufacturer": { + "rendered": "\n/** Manufacturer of the client */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.notes": { + "rendered": "\n/** Notes on the client */\n notes?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.os": { + "rendered": "\n/** The operating system of the client */\n os?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.recentDeviceMac": { + "rendered": "\n/** The MAC address of the node that the device was last connected to */\n recentDeviceMac?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.recentDeviceName": { + "rendered": "\n/** The name of the node the device was last connected to */\n recentDeviceName?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.recentDeviceSerial": { + "rendered": "\n/** The serial of the node the device was last connected to */\n recentDeviceSerial?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.smInstalled": { + "rendered": "\n/** Status of SM for the client */\n smInstalled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ssid": { + "rendered": "\n/** The name of the SSID that the client is connected to */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** The connection status of the client */\n status?: \"Offline\" | \"Online\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.switchport": { + "rendered": "\n/** The switch port that the client is connected to */\n switchport?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.usage": { + "rendered": "\n/** Usage, sent and received */\n usage?: { \n/** Usage received by the client */\n recv?: number, \n/** Usage sent by the client */\n sent?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.usage.recv": { + "rendered": "\n/** Usage received by the client */\n recv?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.usage.sent": { + "rendered": "\n/** Usage sent by the client */\n sent?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.user": { + "rendered": "\n/** The username of the user of the client */\n user?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.vlan": { + "rendered": "\n/** The name of the VLAN that the client is connected to */\n vlan?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1531,15 +1495,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1592,15 +1552,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1637,11 +1593,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1661,11 +1613,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1718,11 +1666,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1759,15 +1703,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1808,15 +1748,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1873,11 +1809,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1897,11 +1829,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1934,11 +1862,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -1958,11 +1882,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2003,11 +1923,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2027,15 +1943,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2084,11 +1996,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2104,11 +2012,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2141,11 +2045,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2161,11 +2061,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2181,15 +2077,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2275,15 +2167,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2336,15 +2224,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2364,11 +2248,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2401,11 +2281,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2458,11 +2334,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2519,11 +2391,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2572,15 +2440,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2600,11 +2464,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2624,11 +2484,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2672,15 +2528,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2700,11 +2552,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2789,11 +2637,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2809,15 +2653,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2874,15 +2714,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2898,15 +2734,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2926,11 +2758,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2967,11 +2795,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -2987,15 +2811,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3028,11 +2848,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3076,11 +2892,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3117,11 +2929,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3137,15 +2945,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3170,15 +2974,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3194,11 +2994,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3235,11 +3031,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3255,11 +3047,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3312,11 +3100,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3332,15 +3116,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3360,11 +3140,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3380,11 +3156,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3433,11 +3205,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3453,11 +3221,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3506,11 +3270,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3555,11 +3315,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3575,15 +3331,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3616,11 +3368,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3664,11 +3412,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3713,11 +3457,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3762,11 +3502,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3782,11 +3518,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3827,11 +3559,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3847,11 +3575,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3888,11 +3612,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3908,11 +3628,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3949,11 +3665,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -3998,15 +3710,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4022,11 +3730,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4063,11 +3767,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4100,11 +3800,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4124,11 +3820,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4161,11 +3853,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4194,11 +3882,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4271,11 +3955,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4304,11 +3984,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4337,11 +4013,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4361,11 +4033,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4381,11 +4049,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4410,15 +4074,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4443,11 +4103,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4500,11 +4156,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4533,11 +4185,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4557,15 +4205,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4585,15 +4229,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4630,15 +4270,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4658,15 +4294,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4686,15 +4318,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4714,15 +4342,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4742,15 +4366,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4770,15 +4390,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4798,15 +4414,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4826,15 +4438,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4854,15 +4462,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4878,11 +4482,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4915,15 +4515,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4939,11 +4535,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -4959,15 +4551,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4987,11 +4575,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5032,11 +4616,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5056,15 +4636,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5105,15 +4681,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5133,11 +4705,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5170,11 +4738,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5190,15 +4754,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5227,11 +4787,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5275,11 +4831,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5320,11 +4872,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5340,11 +4888,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5360,15 +4904,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5405,11 +4945,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5474,11 +5010,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5494,15 +5026,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5539,11 +5067,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5608,11 +5132,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5628,11 +5148,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5669,11 +5185,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5689,11 +5201,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5734,11 +5242,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5754,11 +5258,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5799,11 +5299,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5819,15 +5315,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5856,11 +5348,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5876,11 +5364,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5913,11 +5397,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5961,11 +5441,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -5998,11 +5474,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6018,11 +5490,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6051,11 +5519,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6071,15 +5535,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6112,11 +5572,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6160,11 +5616,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6197,11 +5649,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6230,15 +5678,11 @@ "rendered": " switchStackId: string,", "requiresRelaxedTypeAnnotation": false } - }, - "response": { - ".__no_name": { - "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + }, + "response": { + ".__no_name": { + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6254,15 +5698,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6303,15 +5743,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6344,15 +5780,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6388,11 +5820,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6429,11 +5857,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6449,15 +5873,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6486,11 +5906,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6534,11 +5950,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6579,11 +5991,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6599,11 +6007,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6632,11 +6036,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6652,11 +6052,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6685,11 +6081,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6714,15 +6106,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6759,11 +6147,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6807,11 +6191,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6852,11 +6232,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6872,11 +6248,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6905,11 +6277,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6938,11 +6306,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -6979,15 +6343,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7024,15 +6384,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7069,15 +6425,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7114,15 +6466,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7133,15 +6481,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7157,11 +6501,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7186,15 +6526,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7231,11 +6567,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7292,11 +6624,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7312,15 +6640,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7357,11 +6681,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7426,11 +6746,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7495,15 +6811,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7536,11 +6848,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7574,14 +6882,10 @@ "requiresRelaxedTypeAnnotation": false } }, - "response": { - ".__no_name": { - "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "response": { + ".__no_name": { + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7610,11 +6914,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7630,15 +6930,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7682,15 +6978,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7743,15 +7035,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7767,15 +7055,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7812,15 +7096,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7836,15 +7116,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7873,11 +7149,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7921,11 +7193,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7958,11 +7226,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -7987,15 +7251,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8011,11 +7271,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8060,15 +7316,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8097,11 +7349,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8130,11 +7378,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8163,11 +7407,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8187,11 +7427,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8216,15 +7452,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8253,11 +7485,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8290,11 +7518,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8310,11 +7534,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8330,15 +7550,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8375,11 +7591,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8399,11 +7611,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8444,11 +7652,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8464,11 +7668,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8505,11 +7705,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8554,15 +7750,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8578,11 +7770,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -8598,15 +7786,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8651,15 +7835,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8700,15 +7880,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8724,15 +7900,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8769,15 +7941,11 @@ "response": { ".__no_name": { "rendered": "(hasuraSdk.JSONValue)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/demo-blog-api.json b/src/app/generator/test-data/param-generator/golden-files/demo-blog-api.json index d87ab11..2ac55e8 100644 --- a/src/app/generator/test-data/param-generator/golden-files/demo-blog-api.json +++ b/src/app/generator/test-data/param-generator/golden-files/demo-blog-api.json @@ -14,11 +14,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MainAuthor", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.author", "requiresRelaxedTypeAnnotation": false } } @@ -34,11 +30,7 @@ }, "response": { ".__no_name": { - "rendered": "MainAuthor", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.author", "requiresRelaxedTypeAnnotation": false } } @@ -53,11 +45,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "MainAuthor", "requiresRelaxedTypeAnnotation": false } } @@ -77,11 +65,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -101,11 +85,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -125,11 +105,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -149,11 +125,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -169,11 +141,7 @@ }, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -206,11 +174,7 @@ }, "response": { ".__no_name": { - "rendered": "MainBlog", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "main.blog", "requiresRelaxedTypeAnnotation": false } } @@ -234,11 +198,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "MainBlog", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/docker-dvp-data.json b/src/app/generator/test-data/param-generator/golden-files/docker-dvp-data.json index c2db3a4..892b20d 100644 --- a/src/app/generator/test-data/param-generator/golden-files/docker-dvp-data.json +++ b/src/app/generator/test-data/param-generator/golden-files/docker-dvp-data.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "NamespaceData", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -27,10 +23,6 @@ ".__no_name": { "rendered": "NamespaceMetadata", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -47,10 +39,6 @@ ".__no_name": { "rendered": "YearData", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -75,10 +63,6 @@ ".__no_name": { "rendered": "TimespanData", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -107,10 +91,6 @@ ".__no_name": { "rendered": "TimespanModel", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -143,10 +123,6 @@ ".__no_name": { "rendered": "ResponseData", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -167,10 +143,6 @@ ".__no_name": { "rendered": "PostUsersLoginSuccessResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -206,10 +178,6 @@ ".__no_name": { "rendered": "PostUsersLoginSuccessResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/docker-hub.json b/src/app/generator/test-data/param-generator/golden-files/docker-hub.json index 78b4d15..8fa7537 100644 --- a/src/app/generator/test-data/param-generator/golden-files/docker-hub.json +++ b/src/app/generator/test-data/param-generator/golden-files/docker-hub.json @@ -18,11 +18,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "GetAccessTokensResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "getAccessTokensResponse", "requiresRelaxedTypeAnnotation": false } } @@ -42,11 +38,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "CreateAccessTokensResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "createAccessTokensResponse", "requiresRelaxedTypeAnnotation": false } } @@ -82,11 +74,7 @@ }, "response": { ".__no_name": { - "rendered": "(AccessToken & {\n /** @example \"\" */\n token?: string,\n\n})", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "AccessToken & { token?: string, }", "requiresRelaxedTypeAnnotation": false } } @@ -111,11 +99,7 @@ }, "response": { ".__no_name": { - "rendered": "PatchAccessTokenResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "patchAccessTokenResponse", "requiresRelaxedTypeAnnotation": false } } @@ -166,10 +150,6 @@ ".__no_name": { "rendered": "GetAuditLogsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -186,10 +166,6 @@ ".__no_name": { "rendered": "GetAuditActionsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -215,10 +191,6 @@ ".__no_name": { "rendered": "PostNamespacesDeleteImagesResponseSuccess", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -268,10 +240,6 @@ ".__no_name": { "rendered": "GetNamespaceRepositoryImagesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -301,10 +269,6 @@ ".__no_name": { "rendered": "GetNamespaceRepositoryImagesSummaryResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -342,10 +306,6 @@ ".__no_name": { "rendered": "GetNamespaceRepositoryImagesTagsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -477,11 +437,7 @@ }, "response": { ".__no_name": { - "rendered": "OrgSettings", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "orgSettings", "requiresRelaxedTypeAnnotation": false } } @@ -506,11 +462,7 @@ }, "response": { ".__no_name": { - "rendered": "OrgSettings", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "orgSettings", "requiresRelaxedTypeAnnotation": false } } @@ -734,10 +686,6 @@ ".__no_name": { "rendered": "PostUsersLoginSuccessResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -758,10 +706,6 @@ ".__no_name": { "rendered": "PostUsersLoginSuccessResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/ebay-finances.json b/src/app/generator/test-data/param-generator/golden-files/ebay-finances.json index 7f60ff5..e542d37 100644 --- a/src/app/generator/test-data/param-generator/golden-files/ebay-finances.json +++ b/src/app/generator/test-data/param-generator/golden-files/ebay-finances.json @@ -28,10 +28,6 @@ ".__no_name": { "rendered": "Payouts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -48,10 +44,6 @@ ".__no_name": { "rendered": "Payout", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -72,10 +64,6 @@ ".__no_name": { "rendered": "PayoutSummaryResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -87,10 +75,6 @@ ".__no_name": { "rendered": "SellerFundsSummaryResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -123,10 +107,6 @@ ".__no_name": { "rendered": "Transactions", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -147,10 +127,6 @@ ".__no_name": { "rendered": "TransactionSummaryResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -167,10 +143,6 @@ ".__no_name": { "rendered": "Transfer", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/gcp-error-reporting.json b/src/app/generator/test-data/param-generator/golden-files/gcp-error-reporting.json index 7ed31f3..d5c4122 100644 --- a/src/app/generator/test-data/param-generator/golden-files/gcp-error-reporting.json +++ b/src/app/generator/test-data/param-generator/golden-files/gcp-error-reporting.json @@ -61,10 +61,6 @@ ".__no_name": { "rendered": "ErrorGroup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -139,10 +135,6 @@ ".__no_name": { "rendered": "ErrorGroup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -208,10 +200,6 @@ ".__no_name": { "rendered": "DeleteEventsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -305,10 +293,6 @@ ".__no_name": { "rendered": "ListEventsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -387,10 +371,6 @@ ".__no_name": { "rendered": "ReportErrorEventResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -504,10 +484,6 @@ ".__no_name": { "rendered": "ListGroupStatsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/geomag.json b/src/app/generator/test-data/param-generator/golden-files/geomag.json index 6380146..e16dae7 100644 --- a/src/app/generator/test-data/param-generator/golden-files/geomag.json +++ b/src/app/generator/test-data/param-generator/golden-files/geomag.json @@ -26,19 +26,55 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** The angle in the horizontal plane between magnetic north and true north. Declination is positive when magnetic north is east of true north. */\n declination?: {\n units?: string,\n value?: number,\n\n},\n /** Referenced to grid north, referenced to 0 deg meridian of a polar stereographic projection. Only defined for latitudes greater than 55 degrees and less than -55 degrees (arctic and antarctic). */\n grid_variation?: {\n units?: string,\n value?: number,\n\n},\n /** Also known as 'dip', is the angle made between the horizontal plane and the magnetic field vector at some position. Positive inclination corresponds to a downward pointing. */\n inclination?: {\n units?: string,\n value?: number,\n\n},\n /** Total magnetic field intensity in nano Teslas. */\n total_intensity?: {\n units?: string,\n value?: number,\n\n},\n\n}", + "rendered": "{ \n/** The angle in the horizontal plane between magnetic north and true north. Declination is positive when magnetic north is east of true north.\n */\n declination?: { units?: string, value?: number, }, \n/** Referenced to grid north, referenced to 0 deg meridian of a polar stereographic projection. Only defined for latitudes greater than 55 degrees and less than -55 degrees (arctic and antarctic).\n */\n grid_variation?: { units?: string, value?: number, }, \n/** Also known as 'dip', is the angle made between the horizontal plane and the magnetic field vector at some position. Positive inclination corresponds to a downward pointing. \n */\n inclination?: { units?: string, value?: number, }, \n/** Total magnetic field intensity in nano Teslas.\n */\n total_intensity?: { units?: string, value?: number, }, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.declination": { + "rendered": "\n/** The angle in the horizontal plane between magnetic north and true north. Declination is positive when magnetic north is east of true north.\n */\n declination?: { units?: string, value?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.declination.units": { + "rendered": " units?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.declination.value": { + "rendered": " value?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.grid_variation": { + "rendered": "\n/** Referenced to grid north, referenced to 0 deg meridian of a polar stereographic projection. Only defined for latitudes greater than 55 degrees and less than -55 degrees (arctic and antarctic).\n */\n grid_variation?: { units?: string, value?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.grid_variation.units": { + "rendered": " units?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.grid_variation.value": { + "rendered": " value?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.inclination": { + "rendered": "\n/** Also known as 'dip', is the angle made between the horizontal plane and the magnetic field vector at some position. Positive inclination corresponds to a downward pointing. \n */\n inclination?: { units?: string, value?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.inclination.units": { + "rendered": " units?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.inclination.value": { + "rendered": " value?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_intensity": { + "rendered": "\n/** Total magnetic field intensity in nano Teslas.\n */\n total_intensity?: { units?: string, value?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_intensity.units": { + "rendered": " units?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_intensity.value": { + "rendered": " value?: number,", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/github.json b/src/app/generator/test-data/param-generator/golden-files/github.json index 8e68796..06ea318 100644 --- a/src/app/generator/test-data/param-generator/golden-files/github.json +++ b/src/app/generator/test-data/param-generator/golden-files/github.json @@ -5,11 +5,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Root", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "root", "requiresRelaxedTypeAnnotation": false } } @@ -20,11 +16,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Integration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "integration", "requiresRelaxedTypeAnnotation": false } } @@ -40,11 +32,7 @@ }, "response": { ".__no_name": { - "rendered": "(Integration & {\n client_id: string,\n client_secret: string,\n pem: string,\n webhook_secret: string | null,\n [key: string]: any,\n\n})", - "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Integration & { client_id?: string, client_secret?: string, pem?: string, webhook_secret?: string, }", "requiresRelaxedTypeAnnotation": false } } @@ -55,11 +43,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -83,11 +67,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -119,11 +99,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "HookDeliveryItem", "requiresRelaxedTypeAnnotation": false } } @@ -139,11 +115,7 @@ }, "response": { ".__no_name": { - "rendered": "HookDelivery", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook-delivery", "requiresRelaxedTypeAnnotation": false } } @@ -199,12 +171,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Installation", + "requiresRelaxedTypeAnnotation": true } } }, @@ -239,12 +207,8 @@ }, "response": { ".__no_name": { - "rendered": "Installation", + "rendered": "installation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -276,12 +240,8 @@ }, "response": { ".__no_name": { - "rendered": "InstallationToken", + "rendered": "installation-token", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -415,12 +375,8 @@ }, "response": { ".__no_name": { - "rendered": "Authorization", + "rendered": "authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -448,12 +404,8 @@ }, "response": { ".__no_name": { - "rendered": "Authorization", + "rendered": "authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -485,12 +437,8 @@ }, "response": { ".__no_name": { - "rendered": "Authorization", + "rendered": "authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -505,11 +453,7 @@ }, "response": { ".__no_name": { - "rendered": "Integration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "integration", "requiresRelaxedTypeAnnotation": false } } @@ -524,11 +468,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CodeOfConduct", "requiresRelaxedTypeAnnotation": false } } @@ -544,11 +484,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeOfConduct", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "code-of-conduct", "requiresRelaxedTypeAnnotation": false } } @@ -559,12 +495,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -636,12 +568,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DependabotAlertWithRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -697,12 +625,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "OrganizationSecretScanningAlert", + "requiresRelaxedTypeAnnotation": true } } }, @@ -726,15 +650,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -744,11 +664,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Feed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "feed", "requiresRelaxedTypeAnnotation": false } } @@ -780,12 +696,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "BaseGist", + "requiresRelaxedTypeAnnotation": true } } }, @@ -808,12 +720,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "GistSimple", + "rendered": "gist-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -844,12 +752,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "BaseGist", + "requiresRelaxedTypeAnnotation": true } } }, @@ -880,12 +784,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "BaseGist", + "requiresRelaxedTypeAnnotation": true } } }, @@ -920,12 +820,8 @@ }, "response": { ".__no_name": { - "rendered": "GistSimple", + "rendered": "gist-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -953,12 +849,8 @@ }, "response": { ".__no_name": { - "rendered": "GistSimple", + "rendered": "gist-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -990,12 +882,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "GistComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1023,12 +911,8 @@ }, "response": { ".__no_name": { - "rendered": "GistComment", + "rendered": "gist-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1071,12 +955,8 @@ }, "response": { ".__no_name": { - "rendered": "GistComment", + "rendered": "gist-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1108,12 +988,8 @@ }, "response": { ".__no_name": { - "rendered": "GistComment", + "rendered": "gist-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1145,11 +1021,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "GistCommit", "requiresRelaxedTypeAnnotation": false } } @@ -1182,12 +1054,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "GistSimple", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1202,12 +1070,8 @@ }, "response": { ".__no_name": { - "rendered": "BaseGist", + "rendered": "base-gist", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1286,12 +1150,8 @@ }, "response": { ".__no_name": { - "rendered": "GistSimple", + "rendered": "gist-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1305,11 +1165,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -1325,11 +1181,7 @@ }, "response": { ".__no_name": { - "rendered": "GitignoreTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "gitignore-template", "requiresRelaxedTypeAnnotation": false } } @@ -1353,19 +1205,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n repositories: (Repository)[],\n /** @example \"selected\" */\n repository_selection?: string,\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (Repository)[], repository_selection?: string, total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (Repository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.repositories.__no_name": { + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.repository_selection": { + "rendered": " repository_selection?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -1448,12 +1304,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Issue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1484,11 +1336,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "LicenseSimple", "requiresRelaxedTypeAnnotation": false } } @@ -1504,11 +1352,7 @@ }, "response": { ".__no_name": { - "rendered": "License", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "license", "requiresRelaxedTypeAnnotation": false } } @@ -1576,12 +1420,8 @@ }, "response": { ".__no_name": { - "rendered": "MarketplacePurchase", + "rendered": "marketplace-purchase", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1608,12 +1448,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MarketplaceListingPlan", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1653,12 +1489,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MarketplacePurchase", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1673,12 +1505,8 @@ }, "response": { ".__no_name": { - "rendered": "MarketplacePurchase", + "rendered": "marketplace-purchase", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1705,12 +1533,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MarketplaceListingPlan", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1750,12 +1574,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MarketplacePurchase", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1765,11 +1585,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ApiOverview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "api-overview", "requiresRelaxedTypeAnnotation": false } } @@ -1803,15 +1619,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1854,12 +1666,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Thread", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1882,15 +1690,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n message?: string,\n\n}", + "rendered": "{ message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1906,12 +1710,8 @@ }, "response": { ".__no_name": { - "rendered": "Thread", + "rendered": "thread", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1966,11 +1766,7 @@ }, "response": { ".__no_name": { - "rendered": "ThreadSubscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "thread-subscription", "requiresRelaxedTypeAnnotation": false } } @@ -1999,11 +1795,7 @@ }, "response": { ".__no_name": { - "rendered": "ThreadSubscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "thread-subscription", "requiresRelaxedTypeAnnotation": false } } @@ -2055,11 +1847,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationSimple", "requiresRelaxedTypeAnnotation": false } } @@ -2075,11 +1863,7 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationFull", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "organization-full", "requiresRelaxedTypeAnnotation": false } } @@ -2108,11 +1892,7 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationFull", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "organization-full", "requiresRelaxedTypeAnnotation": false } } @@ -2128,11 +1908,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsCacheUsageOrgEnterprise", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-cache-usage-org-enterprise", "requiresRelaxedTypeAnnotation": false } } @@ -2161,19 +1937,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repository_cache_usages: (ActionsCacheUsageByRepository)[],\n total_count: number,\n\n}", + "rendered": "{ repository_cache_usages?: (ActionsCacheUsageByRepository)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.repository_cache_usages": { + "rendered": " repository_cache_usages?: (ActionsCacheUsageByRepository)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.repository_cache_usages.__no_name": { + "rendered": "ActionsCacheUsageByRepository", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -2189,11 +1965,7 @@ }, "response": { ".__no_name": { - "rendered": "OidcCustomSub", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "oidc-custom-sub", "requiresRelaxedTypeAnnotation": false } } @@ -2218,11 +1990,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -2238,12 +2006,8 @@ }, "response": { ".__no_name": { - "rendered": "ActionsOrganizationPermissions", + "rendered": "actions-organization-permissions", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2304,19 +2068,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (Repository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (Repository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (Repository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -2417,11 +2181,7 @@ }, "response": { ".__no_name": { - "rendered": "SelectedActions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "selected-actions", "requiresRelaxedTypeAnnotation": false } } @@ -2466,12 +2226,8 @@ }, "response": { ".__no_name": { - "rendered": "ActionsGetDefaultWorkflowPermissions", + "rendered": "actions-get-default-workflow-permissions", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2528,19 +2284,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n required_workflows: (RequiredWorkflow)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ required_workflows?: (RequiredWorkflow)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.required_workflows": { + "rendered": " required_workflows?: (RequiredWorkflow)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.required_workflows.__no_name": { + "rendered": "RequiredWorkflow", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -2573,12 +2329,8 @@ }, "response": { ".__no_name": { - "rendered": "RequiredWorkflow", + "rendered": "required-workflow", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2621,12 +2373,8 @@ }, "response": { ".__no_name": { - "rendered": "RequiredWorkflow", + "rendered": "required-workflow", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2662,12 +2410,8 @@ }, "response": { ".__no_name": { - "rendered": "RequiredWorkflow", + "rendered": "required-workflow", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2686,19 +2430,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (Repository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (Repository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (Repository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -2824,19 +2568,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n runners: (Runner)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ runners?: (Runner)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.runners": { + "rendered": " runners?: (Runner)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.runners.__no_name": { + "rendered": "Runner", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -2856,11 +2600,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "RunnerApplication", "requiresRelaxedTypeAnnotation": false } } @@ -2876,12 +2616,8 @@ }, "response": { ".__no_name": { - "rendered": "AuthenticationToken", + "rendered": "authentication-token", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2896,12 +2632,8 @@ }, "response": { ".__no_name": { - "rendered": "AuthenticationToken", + "rendered": "authentication-token", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2944,12 +2676,8 @@ }, "response": { ".__no_name": { - "rendered": "Runner", + "rendered": "runner", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3135,19 +2863,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (OrganizationActionsSecret)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ secrets?: (OrganizationActionsSecret)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets": { + "rendered": " secrets?: (OrganizationActionsSecret)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets.__no_name": { + "rendered": "OrganizationActionsSecret", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3163,11 +2891,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -3211,12 +2935,8 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationActionsSecret", + "rendered": "organization-actions-secret", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3252,11 +2972,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -3289,19 +3005,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (MinimalRepository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (MinimalRepository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (MinimalRepository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3427,20 +3143,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n variables: (OrganizationActionsVariable)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ total_count?: number, variables?: (OrganizationActionsVariable)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.variables": { + "rendered": " variables?: (OrganizationActionsVariable)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.variables.__no_name": { + "rendered": "OrganizationActionsVariable", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3472,11 +3188,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -3520,12 +3232,8 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationActionsVariable", + "rendered": "organization-actions-variable", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3598,19 +3306,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (MinimalRepository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (MinimalRepository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (MinimalRepository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3740,11 +3448,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -3881,12 +3585,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "CodeScanningOrganizationAlertItems", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3914,19 +3614,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n codespaces: (Codespace)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ codespaces?: (Codespace)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces": { + "rendered": " codespaces?: (Codespace)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces.__no_name": { + "rendered": "Codespace", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4066,19 +3766,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (CodespacesOrgSecret)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ secrets?: (CodespacesOrgSecret)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets": { + "rendered": " secrets?: (CodespacesOrgSecret)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets.__no_name": { + "rendered": "CodespacesOrgSecret", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4094,11 +3794,7 @@ }, "response": { ".__no_name": { - "rendered": "CodespacesPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codespaces-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -4142,12 +3838,8 @@ }, "response": { ".__no_name": { - "rendered": "CodespacesOrgSecret", + "rendered": "codespaces-org-secret", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4183,11 +3875,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -4220,19 +3908,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (MinimalRepository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (MinimalRepository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (MinimalRepository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4402,12 +4090,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DependabotAlertWithRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4435,19 +4119,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (OrganizationDependabotSecret)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ secrets?: (OrganizationDependabotSecret)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets": { + "rendered": " secrets?: (OrganizationDependabotSecret)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets.__no_name": { + "rendered": "OrganizationDependabotSecret", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4463,11 +4147,7 @@ }, "response": { ".__no_name": { - "rendered": "DependabotPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "dependabot-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -4511,12 +4191,8 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationDependabotSecret", + "rendered": "organization-dependabot-secret", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4552,11 +4228,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -4589,19 +4261,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (MinimalRepository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (MinimalRepository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (MinimalRepository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4728,15 +4400,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4768,11 +4436,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationInvitation", "requiresRelaxedTypeAnnotation": false } } @@ -4805,11 +4469,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrgHook", "requiresRelaxedTypeAnnotation": false } } @@ -4842,11 +4502,7 @@ }, "response": { ".__no_name": { - "rendered": "OrgHook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "org-hook", "requiresRelaxedTypeAnnotation": false } } @@ -4890,11 +4546,7 @@ }, "response": { ".__no_name": { - "rendered": "OrgHook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "org-hook", "requiresRelaxedTypeAnnotation": false } } @@ -4931,11 +4583,7 @@ }, "response": { ".__no_name": { - "rendered": "OrgHook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "org-hook", "requiresRelaxedTypeAnnotation": false } } @@ -4955,11 +4603,7 @@ }, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -4992,11 +4636,7 @@ }, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -5037,11 +4677,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "HookDeliveryItem", "requiresRelaxedTypeAnnotation": false } } @@ -5065,11 +4701,7 @@ }, "response": { ".__no_name": { - "rendered": "HookDelivery", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook-delivery", "requiresRelaxedTypeAnnotation": false } } @@ -5137,12 +4769,8 @@ }, "response": { ".__no_name": { - "rendered": "Installation", + "rendered": "installation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5170,19 +4798,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n installations: (Installation)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ installations?: (Installation)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.installations": { + "rendered": " installations?: (Installation)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.installations.__no_name": { + "rendered": "Installation", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -5218,12 +4846,8 @@ }, "response": { ".__no_name": { - "rendered": "(InteractionLimitResponse | hasuraSdk.JSONValue)", + "rendered": "InteractionLimitResponse | { }", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5247,12 +4871,8 @@ }, "response": { ".__no_name": { - "rendered": "InteractionLimitResponse", + "rendered": "interaction-limit-response", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5292,11 +4912,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationInvitation", "requiresRelaxedTypeAnnotation": false } } @@ -5329,11 +4945,7 @@ }, "response": { ".__no_name": { - "rendered": "OrganizationInvitation", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "organization-invitation", "requiresRelaxedTypeAnnotation": false } } @@ -5394,11 +5006,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -5455,12 +5063,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Issue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5500,11 +5104,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -5585,19 +5185,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n codespaces: (Codespace)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ codespaces?: (Codespace)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces": { + "rendered": " codespaces?: (Codespace)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces.__no_name": { + "rendered": "Codespace", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -5649,12 +5249,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5697,12 +5293,8 @@ }, "response": { ".__no_name": { - "rendered": "OrgMembership", + "rendered": "org-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5734,12 +5326,8 @@ }, "response": { ".__no_name": { - "rendered": "OrgMembership", + "rendered": "org-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5779,12 +5367,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Migration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5816,12 +5400,8 @@ }, "response": { ".__no_name": { - "rendered": "Migration", + "rendered": "migration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5853,12 +5433,8 @@ }, "response": { ".__no_name": { - "rendered": "Migration", + "rendered": "migration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5970,12 +5546,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6011,11 +5583,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -6072,11 +5640,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ }", "requiresRelaxedTypeAnnotation": false } } @@ -6114,15 +5678,11 @@ "response": { ".__no_name": { "rendered": "(Package)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6173,12 +5733,8 @@ }, "response": { ".__no_name": { - "rendered": "Package", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6259,12 +5815,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PackageVersion", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6323,12 +5875,8 @@ }, "response": { ".__no_name": { - "rendered": "PackageVersion", + "rendered": "package-version", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6393,15 +5941,11 @@ "response": { ".__no_name": { "rendered": "(Project)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6429,12 +5973,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6466,11 +6006,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -6587,12 +6123,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6620,12 +6152,8 @@ }, "response": { ".__no_name": { - "rendered": "Repository", + "rendered": "repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6685,12 +6213,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "OrganizationSecretScanningAlert", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6709,11 +6233,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamSimple", "requiresRelaxedTypeAnnotation": false } } @@ -6777,11 +6297,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -6797,11 +6313,7 @@ }, "response": { ".__no_name": { - "rendered": "PackagesBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "packages-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -6817,11 +6329,7 @@ }, "response": { ".__no_name": { - "rendered": "CombinedBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "combined-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -6854,11 +6362,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -6891,12 +6395,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamFull", + "rendered": "team-full", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6939,12 +6439,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamFull", + "rendered": "team-full", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6976,12 +6472,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamFull", + "rendered": "team-full", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7025,11 +6517,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamDiscussion", "requiresRelaxedTypeAnnotation": false } } @@ -7062,11 +6550,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -7118,11 +6602,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -7159,11 +6639,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -7208,11 +6684,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamDiscussionComment", "requiresRelaxedTypeAnnotation": false } } @@ -7249,11 +6721,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -7313,11 +6781,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -7358,11 +6822,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -7411,12 +6871,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7456,12 +6912,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7541,12 +6993,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7582,12 +7030,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7655,11 +7099,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationInvitation", "requiresRelaxedTypeAnnotation": false } } @@ -7700,11 +7140,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -7756,12 +7192,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamMembership", + "rendered": "team-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7797,12 +7229,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamMembership", + "rendered": "team-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7838,11 +7266,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamProject", "requiresRelaxedTypeAnnotation": false } } @@ -7894,11 +7318,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamProject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-project", "requiresRelaxedTypeAnnotation": false } } @@ -7976,12 +7396,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8040,12 +7456,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamRepository", + "rendered": "team-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8126,11 +7538,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -8194,11 +7602,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectCard", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-card", "requiresRelaxedTypeAnnotation": false } } @@ -8227,11 +7631,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectCard", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-card", "requiresRelaxedTypeAnnotation": false } } @@ -8260,11 +7660,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ }", "requiresRelaxedTypeAnnotation": false } } @@ -8300,11 +7696,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectColumn", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-column", "requiresRelaxedTypeAnnotation": false } } @@ -8333,11 +7725,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectColumn", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-column", "requiresRelaxedTypeAnnotation": false } } @@ -8374,11 +7762,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ProjectCard", "requiresRelaxedTypeAnnotation": false } } @@ -8403,11 +7787,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectCard", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-card", "requiresRelaxedTypeAnnotation": false } } @@ -8436,11 +7816,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ }", "requiresRelaxedTypeAnnotation": false } } @@ -8476,12 +7852,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8509,12 +7881,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8550,11 +7918,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -8635,11 +7999,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectCollaboratorPermission", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-collaborator-permission", "requiresRelaxedTypeAnnotation": false } } @@ -8672,11 +8032,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ProjectColumn", "requiresRelaxedTypeAnnotation": false } } @@ -8705,11 +8061,7 @@ }, "response": { ".__no_name": { - "rendered": "ProjectColumn", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "project-column", "requiresRelaxedTypeAnnotation": false } } @@ -8720,11 +8072,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RateLimitOverview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "rate-limit-overview", "requiresRelaxedTypeAnnotation": false } } @@ -8757,19 +8105,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n required_workflows: (RepoRequiredWorkflow)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ required_workflows?: (RepoRequiredWorkflow)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.required_workflows": { + "rendered": " required_workflows?: (RepoRequiredWorkflow)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.required_workflows.__no_name": { + "rendered": "RepoRequiredWorkflow", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -8793,12 +8141,8 @@ }, "response": { ".__no_name": { - "rendered": "RepoRequiredWorkflow", + "rendered": "repo-required-workflow", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8821,11 +8165,7 @@ }, "response": { ".__no_name": { - "rendered": "WorkflowUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "workflow-usage", "requiresRelaxedTypeAnnotation": false } } @@ -8869,12 +8209,8 @@ }, "response": { ".__no_name": { - "rendered": "FullRepository", + "rendered": "full-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8914,12 +8250,8 @@ }, "response": { ".__no_name": { - "rendered": "FullRepository", + "rendered": "full-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8955,19 +8287,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n artifacts: (Artifact)[],\n total_count: number,\n\n}", + "rendered": "{ artifacts?: (Artifact)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.artifacts": { + "rendered": " artifacts?: (Artifact)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.artifacts.__no_name": { + "rendered": "Artifact", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -9019,11 +8351,7 @@ }, "response": { ".__no_name": { - "rendered": "Artifact", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "artifact", "requiresRelaxedTypeAnnotation": false } } @@ -9075,11 +8403,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsCacheUsageByRepository", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-cache-usage-by-repository", "requiresRelaxedTypeAnnotation": false } } @@ -9112,11 +8436,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsCacheList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-cache-list", "requiresRelaxedTypeAnnotation": false } } @@ -9165,11 +8485,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsCacheList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-cache-list", "requiresRelaxedTypeAnnotation": false } } @@ -9221,12 +8537,8 @@ }, "response": { ".__no_name": { - "rendered": "Job", + "rendered": "job", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9290,11 +8602,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -9314,11 +8622,7 @@ }, "response": { ".__no_name": { - "rendered": "OidcCustomSubRepo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "oidc-custom-sub-repo", "requiresRelaxedTypeAnnotation": false } } @@ -9355,11 +8659,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -9379,12 +8679,8 @@ }, "response": { ".__no_name": { - "rendered": "ActionsRepositoryPermissions", + "rendered": "actions-repository-permissions", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9440,12 +8736,8 @@ }, "response": { ".__no_name": { - "rendered": "ActionsWorkflowAccessToRepository", + "rendered": "actions-workflow-access-to-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9497,11 +8789,7 @@ }, "response": { ".__no_name": { - "rendered": "SelectedActions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "selected-actions", "requiresRelaxedTypeAnnotation": false } } @@ -9554,12 +8842,8 @@ }, "response": { ".__no_name": { - "rendered": "ActionsGetDefaultWorkflowPermissions", + "rendered": "actions-get-default-workflow-permissions", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9660,20 +8944,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n workflow_runs: (WorkflowRun)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ total_count?: number, workflow_runs?: (WorkflowRun)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs": { + "rendered": " workflow_runs?: (WorkflowRun)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs.__no_name": { + "rendered": "WorkflowRun", + "requiresRelaxedTypeAnnotation": true } } }, @@ -9705,19 +8989,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n runners: (Runner)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ runners?: (Runner)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.runners": { + "rendered": " runners?: (Runner)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.runners.__no_name": { + "rendered": "Runner", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -9741,11 +9025,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "RunnerApplication", "requiresRelaxedTypeAnnotation": false } } @@ -9765,12 +9045,8 @@ }, "response": { ".__no_name": { - "rendered": "AuthenticationToken", + "rendered": "authentication-token", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9789,12 +9065,8 @@ }, "response": { ".__no_name": { - "rendered": "AuthenticationToken", + "rendered": "authentication-token", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9845,12 +9117,8 @@ }, "response": { ".__no_name": { - "rendered": "Runner", + "rendered": "runner", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10092,20 +9360,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n workflow_runs: (WorkflowRun)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ total_count?: number, workflow_runs?: (WorkflowRun)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs": { + "rendered": " workflow_runs?: (WorkflowRun)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs.__no_name": { + "rendered": "WorkflowRun", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10165,12 +9433,8 @@ }, "response": { ".__no_name": { - "rendered": "WorkflowRun", + "rendered": "workflow-run", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10197,12 +9461,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "EnvironmentApprovals", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10225,11 +9485,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -10266,19 +9522,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n artifacts: (Artifact)[],\n total_count: number,\n\n}", + "rendered": "{ artifacts?: (Artifact)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.artifacts": { + "rendered": " artifacts?: (Artifact)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.artifacts.__no_name": { + "rendered": "Artifact", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -10315,12 +9571,8 @@ }, "response": { ".__no_name": { - "rendered": "WorkflowRun", + "rendered": "workflow-run", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10360,19 +9612,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n jobs: (Job)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ jobs?: (Job)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.jobs": { + "rendered": " jobs?: (Job)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.jobs.__no_name": { + "rendered": "Job", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -10428,11 +9680,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -10473,19 +9721,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n jobs: (Job)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ jobs?: (Job)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.jobs": { + "rendered": " jobs?: (Job)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.jobs.__no_name": { + "rendered": "Job", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -10569,12 +9817,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PendingDeployment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10618,11 +9862,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -10659,11 +9899,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -10700,11 +9936,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -10728,11 +9960,7 @@ }, "response": { ".__no_name": { - "rendered": "WorkflowRunUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "workflow-run-usage", "requiresRelaxedTypeAnnotation": false } } @@ -10765,19 +9993,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (ActionsSecret)[],\n total_count: number,\n\n}", + "rendered": "{ secrets?: (ActionsSecret)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets": { + "rendered": " secrets?: (ActionsSecret)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets.__no_name": { + "rendered": "ActionsSecret", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -10797,11 +10025,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -10853,11 +10077,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-secret", "requiresRelaxedTypeAnnotation": false } } @@ -10894,11 +10114,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -10931,19 +10147,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n variables: (ActionsVariable)[],\n\n}", + "rendered": "{ total_count?: number, variables?: (ActionsVariable)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.variables": { + "rendered": " variables?: (ActionsVariable)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.variables.__no_name": { + "rendered": "ActionsVariable", "requiresRelaxedTypeAnnotation": false } } @@ -10976,11 +10192,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -11032,11 +10244,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsVariable", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-variable", "requiresRelaxedTypeAnnotation": false } } @@ -11110,20 +10318,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n workflows: (Workflow)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ total_count?: number, workflows?: (Workflow)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflows": { + "rendered": " workflows?: (Workflow)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflows.__no_name": { + "rendered": "Workflow", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11146,12 +10354,8 @@ }, "response": { ".__no_name": { - "rendered": "Workflow", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "workflow", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11316,20 +10520,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n workflow_runs: (WorkflowRun)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ total_count?: number, workflow_runs?: (WorkflowRun)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs": { + "rendered": " workflow_runs?: (WorkflowRun)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.workflow_runs.__no_name": { + "rendered": "WorkflowRun", + "requiresRelaxedTypeAnnotation": true } } }, @@ -11352,11 +10556,7 @@ }, "response": { ".__no_name": { - "rendered": "WorkflowUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "workflow-usage", "requiresRelaxedTypeAnnotation": false } } @@ -11393,11 +10593,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -11458,11 +10654,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Autolink", "requiresRelaxedTypeAnnotation": false } } @@ -11495,11 +10687,7 @@ }, "response": { ".__no_name": { - "rendered": "Autolink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "autolink", "requiresRelaxedTypeAnnotation": false } } @@ -11551,11 +10739,7 @@ }, "response": { ".__no_name": { - "rendered": "Autolink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "autolink", "requiresRelaxedTypeAnnotation": false } } @@ -11644,11 +10828,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ShortBranch", "requiresRelaxedTypeAnnotation": false } } @@ -11672,12 +10852,8 @@ }, "response": { ".__no_name": { - "rendered": "BranchWithProtection", + "rendered": "branch-with-protection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11728,11 +10904,7 @@ }, "response": { ".__no_name": { - "rendered": "BranchProtection", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "branch-protection", "requiresRelaxedTypeAnnotation": false } } @@ -11781,11 +10953,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranch", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch", "requiresRelaxedTypeAnnotation": false } } @@ -11837,11 +11005,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchAdminEnforced", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-admin-enforced", "requiresRelaxedTypeAnnotation": false } } @@ -11865,11 +11029,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchAdminEnforced", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-admin-enforced", "requiresRelaxedTypeAnnotation": false } } @@ -11921,11 +11081,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchPullRequestReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-pull-request-review", "requiresRelaxedTypeAnnotation": false } } @@ -11970,11 +11126,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchPullRequestReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-pull-request-review", "requiresRelaxedTypeAnnotation": false } } @@ -12026,11 +11178,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchAdminEnforced", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-admin-enforced", "requiresRelaxedTypeAnnotation": false } } @@ -12054,11 +11202,7 @@ }, "response": { ".__no_name": { - "rendered": "ProtectedBranchAdminEnforced", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "protected-branch-admin-enforced", "requiresRelaxedTypeAnnotation": false } } @@ -12110,11 +11254,7 @@ }, "response": { ".__no_name": { - "rendered": "StatusCheckPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "status-check-policy", "requiresRelaxedTypeAnnotation": false } } @@ -12159,11 +11299,7 @@ }, "response": { ".__no_name": { - "rendered": "StatusCheckPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "status-check-policy", "requiresRelaxedTypeAnnotation": false } } @@ -12200,11 +11336,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -12232,11 +11364,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -12273,11 +11401,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -12314,11 +11438,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -12370,11 +11490,7 @@ }, "response": { ".__no_name": { - "rendered": "BranchRestrictionPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "branch-restriction-policy", "requiresRelaxedTypeAnnotation": false } } @@ -12411,11 +11527,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Integration", "requiresRelaxedTypeAnnotation": false } } @@ -12443,11 +11555,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Integration", "requiresRelaxedTypeAnnotation": false } } @@ -12484,11 +11592,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Integration", "requiresRelaxedTypeAnnotation": false } } @@ -12525,11 +11629,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Integration", "requiresRelaxedTypeAnnotation": false } } @@ -12566,11 +11666,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -12598,11 +11694,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -12639,11 +11731,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -12680,11 +11768,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -12721,11 +11805,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -12753,11 +11833,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -12794,11 +11870,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -12835,11 +11907,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -12876,12 +11944,8 @@ }, "response": { ".__no_name": { - "rendered": "BranchWithProtection", + "rendered": "branch-with-protection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12925,12 +11989,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckRun", + "rendered": "check-run", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12953,12 +12013,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckRun", + "rendered": "check-run", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13006,12 +12062,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckRun", + "rendered": "check-run", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13051,11 +12103,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CheckAnnotation", "requiresRelaxedTypeAnnotation": false } } @@ -13079,11 +12127,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -13116,12 +12160,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckSuite", + "rendered": "check-suite", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13161,12 +12201,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckSuitePreference", + "rendered": "check-suite-preference", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13189,12 +12225,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckSuite", + "rendered": "check-suite", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13242,19 +12274,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n check_runs: (CheckRun)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ check_runs?: (CheckRun)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_runs": { + "rendered": " check_runs?: (CheckRun)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_runs.__no_name": { + "rendered": "CheckRun", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -13278,11 +12310,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -13347,12 +12375,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "CodeScanningAlertItems", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13375,12 +12399,8 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningAlert", + "rendered": "code-scanning-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13416,12 +12436,8 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningAlert", + "rendered": "code-scanning-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13465,12 +12481,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "CodeScanningAlertInstance", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13530,11 +12542,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CodeScanningAnalysis", "requiresRelaxedTypeAnnotation": false } } @@ -13567,11 +12575,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningAnalysisDeletion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "code-scanning-analysis-deletion", "requiresRelaxedTypeAnnotation": false } } @@ -13595,11 +12599,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningAnalysis", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "code-scanning-analysis", "requiresRelaxedTypeAnnotation": false } } @@ -13623,11 +12623,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CodeScanningCodeqlDatabase", "requiresRelaxedTypeAnnotation": false } } @@ -13651,11 +12647,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningCodeqlDatabase", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "code-scanning-codeql-database", "requiresRelaxedTypeAnnotation": false } } @@ -13688,11 +12680,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningSarifsReceipt", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "code-scanning-sarifs-receipt", "requiresRelaxedTypeAnnotation": false } } @@ -13716,12 +12704,8 @@ }, "response": { ".__no_name": { - "rendered": "CodeScanningSarifsStatus", + "rendered": "code-scanning-sarifs-status", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13749,11 +12733,7 @@ }, "response": { ".__no_name": { - "rendered": "CodeownersErrors", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codeowners-errors", "requiresRelaxedTypeAnnotation": false } } @@ -13786,19 +12766,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n codespaces: (Codespace)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ codespaces?: (Codespace)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces": { + "rendered": " codespaces?: (Codespace)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces.__no_name": { + "rendered": "Codespace", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -13831,12 +12811,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13868,23 +12844,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n devcontainers: ({\n name?: string,\n path: string,\n\n})[],\n total_count: number,\n\n}", + "rendered": "{ devcontainers?: ({ name?: string, path?: string, })[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.devcontainers": { + "rendered": " devcontainers?: ({ name?: string, path?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.devcontainers.__no_name": { + "rendered": "{ name?: string, path?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.devcontainers.__no_name.name": { + "rendered": " name?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.devcontainers.__no_name.path": { + "rendered": " path?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -13917,19 +12897,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n machines: (CodespaceMachine)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ machines?: (CodespaceMachine)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.machines": { + "rendered": " machines?: (CodespaceMachine)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.machines.__no_name": { + "rendered": "CodespaceMachine", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -13962,19 +12942,23 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** A GitHub user. */\n billable_owner?: SimpleUser,\n defaults?: {\n devcontainer_path: string | null,\n location: string,\n\n},\n\n}", - "requiresRelaxedTypeAnnotation": true + "rendered": "{ billable_owner?: SimpleUser, defaults: { devcontainer_path?: string, location?: string, }, }", + "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.billable_owner": { + "rendered": " billable_owner?: SimpleUser,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.defaults": { + "rendered": " defaults: { devcontainer_path?: string, location?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.defaults.devcontainer_path": { + "rendered": " devcontainer_path?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.defaults.location": { + "rendered": " location?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14007,19 +12991,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (RepoCodespacesSecret)[],\n total_count: number,\n\n}", + "rendered": "{ secrets?: (RepoCodespacesSecret)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets": { + "rendered": " secrets?: (RepoCodespacesSecret)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets.__no_name": { + "rendered": "RepoCodespacesSecret", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -14039,11 +13023,7 @@ }, "response": { ".__no_name": { - "rendered": "CodespacesPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codespaces-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -14095,11 +13075,7 @@ }, "response": { ".__no_name": { - "rendered": "RepoCodespacesSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "repo-codespaces-secret", "requiresRelaxedTypeAnnotation": false } } @@ -14136,11 +13112,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -14185,11 +13157,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Collaborator", "requiresRelaxedTypeAnnotation": false } } @@ -14282,12 +13250,8 @@ }, "response": { ".__no_name": { - "rendered": "RepositoryInvitation", + "rendered": "repository-invitation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14310,11 +13274,7 @@ }, "response": { ".__no_name": { - "rendered": "RepositoryCollaboratorPermission", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "repository-collaborator-permission", "requiresRelaxedTypeAnnotation": false } } @@ -14351,12 +13311,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "CommitComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14407,12 +13363,8 @@ }, "response": { ".__no_name": { - "rendered": "CommitComment", + "rendered": "commit-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14448,12 +13400,8 @@ }, "response": { ".__no_name": { - "rendered": "CommitComment", + "rendered": "commit-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14497,12 +13445,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14538,12 +13482,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14631,12 +13571,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Commit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14663,11 +13599,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "BranchShort", "requiresRelaxedTypeAnnotation": false } } @@ -14708,12 +13640,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "CommitComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14749,12 +13677,8 @@ }, "response": { ".__no_name": { - "rendered": "CommitComment", + "rendered": "commit-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14794,12 +13718,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PullRequestSimple", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14835,12 +13755,8 @@ }, "response": { ".__no_name": { - "rendered": "Commit", + "rendered": "commit", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14892,19 +13808,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n check_runs: (CheckRun)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ check_runs?: (CheckRun)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_runs": { + "rendered": " check_runs?: (CheckRun)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_runs.__no_name": { + "rendered": "CheckRun", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -14949,19 +13865,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n check_suites: (CheckSuite)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ check_suites?: (CheckSuite)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_suites": { + "rendered": " check_suites?: (CheckSuite)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.check_suites.__no_name": { + "rendered": "CheckSuite", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -14998,12 +13914,8 @@ }, "response": { ".__no_name": { - "rendered": "CombinedCommitStatus", + "rendered": "combined-commit-status", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15043,11 +13955,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Status", "requiresRelaxedTypeAnnotation": false } } @@ -15067,11 +13975,7 @@ }, "response": { ".__no_name": { - "rendered": "CommunityProfile", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "community-profile", "requiresRelaxedTypeAnnotation": false } } @@ -15108,12 +14012,8 @@ }, "response": { ".__no_name": { - "rendered": "CommitComparison", + "rendered": "commit-comparison", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15153,11 +14053,7 @@ }, "response": { ".__no_name": { - "rendered": "FileCommit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "file-commit", "requiresRelaxedTypeAnnotation": false } } @@ -15190,12 +14086,8 @@ }, "response": { ".__no_name": { - "rendered": "(ContentDirectory | ContentFile | ContentSymlink | ContentSubmodule)", + "rendered": "ContentDirectory | ContentFile | ContentSymlink | ContentSubmodule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15235,11 +14127,7 @@ }, "response": { ".__no_name": { - "rendered": "FileCommit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "file-commit", "requiresRelaxedTypeAnnotation": false } } @@ -15280,11 +14168,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Contributor", "requiresRelaxedTypeAnnotation": false } } @@ -15369,12 +14253,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DependabotAlert", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15397,12 +14277,8 @@ }, "response": { ".__no_name": { - "rendered": "DependabotAlert", + "rendered": "dependabot-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15438,12 +14314,8 @@ }, "response": { ".__no_name": { - "rendered": "DependabotAlert", + "rendered": "dependabot-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15475,19 +14347,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (DependabotSecret)[],\n total_count: number,\n\n}", + "rendered": "{ secrets?: (DependabotSecret)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets": { + "rendered": " secrets?: (DependabotSecret)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets.__no_name": { + "rendered": "DependabotSecret", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -15507,11 +14379,7 @@ }, "response": { ".__no_name": { - "rendered": "DependabotPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "dependabot-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -15563,11 +14431,7 @@ }, "response": { ".__no_name": { - "rendered": "DependabotSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "dependabot-secret", "requiresRelaxedTypeAnnotation": false } } @@ -15604,11 +14468,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -15641,12 +14501,8 @@ }, "response": { ".__no_name": { - "rendered": "DependencyGraphDiff", + "rendered": "dependency-graph-diff", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15674,15 +14530,23 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** The time at which the snapshot was created. */\n created_at: string,\n /** ID of the created snapshot. */\n id: number,\n /** A message providing further details about the result, such as why the dependencies were not updated. */\n message: string,\n /** Either \"SUCCESS\", \"ACCEPTED\", or \"INVALID\". \"SUCCESS\" indicates that the snapshot was successfully created and the repository's dependencies were updated. \"ACCEPTED\" indicates that the snapshot was successfully created, but the repository's dependencies were not updated. \"INVALID\" indicates that the snapshot was malformed. */\n result: string,\n\n}", + "rendered": "{ \n/** The time at which the snapshot was created. */\n created_at?: string, \n/** ID of the created snapshot. */\n id?: number, \n/** A message providing further details about the result, such as why the dependencies were not updated. */\n message?: string, \n/** Either \"SUCCESS\", \"ACCEPTED\", or \"INVALID\". \"SUCCESS\" indicates that the snapshot was successfully created and the repository's dependencies were updated. \"ACCEPTED\" indicates that the snapshot was successfully created, but the repository's dependencies were not updated. \"INVALID\" indicates that the snapshot was malformed. */\n result?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.created_at": { + "rendered": "\n/** The time at which the snapshot was created. */\n created_at?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** ID of the created snapshot. */\n id?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message": { + "rendered": "\n/** A message providing further details about the result, such as why the dependencies were not updated. */\n message?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.result": { + "rendered": "\n/** Either \"SUCCESS\", \"ACCEPTED\", or \"INVALID\". \"SUCCESS\" indicates that the snapshot was successfully created and the repository's dependencies were updated. \"ACCEPTED\" indicates that the snapshot was successfully created, but the repository's dependencies were not updated. \"INVALID\" indicates that the snapshot was malformed. */\n result?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15735,11 +14599,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -15776,11 +14636,7 @@ }, "response": { ".__no_name": { - "rendered": "Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deployment", "requiresRelaxedTypeAnnotation": false } } @@ -15832,11 +14688,7 @@ }, "response": { ".__no_name": { - "rendered": "Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deployment", "requiresRelaxedTypeAnnotation": false } } @@ -15877,12 +14729,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DeploymentStatus", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15918,12 +14766,8 @@ }, "response": { ".__no_name": { - "rendered": "DeploymentStatus", + "rendered": "deployment-status", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15950,12 +14794,8 @@ }, "response": { ".__no_name": { - "rendered": "DeploymentStatus", + "rendered": "deployment-status", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16024,19 +14864,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n environments?: (Environment)[],\n /**\n * The number of environments in this repository\n * @example 5\n */\n total_count?: number,\n\n}", + "rendered": "{ environments?: (Environment)[], \n/** The number of environments in this repository */\n total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.environments": { + "rendered": " environments?: (Environment)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.environments.__no_name": { + "rendered": "Environment", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": "\n/** The number of environments in this repository */\n total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -16088,11 +14928,7 @@ }, "response": { ".__no_name": { - "rendered": "Environment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "environment", "requiresRelaxedTypeAnnotation": false } } @@ -16137,11 +14973,7 @@ }, "response": { ".__no_name": { - "rendered": "Environment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "environment", "requiresRelaxedTypeAnnotation": false } } @@ -16178,19 +15010,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n branch_policies: (DeploymentBranchPolicy)[],\n /**\n * The number of deployment branch policies for the environment.\n * @example 2\n */\n total_count: number,\n\n}", + "rendered": "{ branch_policies?: (DeploymentBranchPolicy)[], \n/** The number of deployment branch policies for the environment. */\n total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.branch_policies": { + "rendered": " branch_policies?: (DeploymentBranchPolicy)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.branch_policies.__no_name": { + "rendered": "DeploymentBranchPolicy", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": "\n/** The number of deployment branch policies for the environment. */\n total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -16223,11 +15055,7 @@ }, "response": { ".__no_name": { - "rendered": "DeploymentBranchPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deployment-branch-policy", "requiresRelaxedTypeAnnotation": false } } @@ -16287,11 +15115,7 @@ }, "response": { ".__no_name": { - "rendered": "DeploymentBranchPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deployment-branch-policy", "requiresRelaxedTypeAnnotation": false } } @@ -16328,11 +15152,7 @@ }, "response": { ".__no_name": { - "rendered": "DeploymentBranchPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deployment-branch-policy", "requiresRelaxedTypeAnnotation": false } } @@ -16366,15 +15186,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16414,12 +15230,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16451,12 +15263,8 @@ }, "response": { ".__no_name": { - "rendered": "FullRepository", + "rendered": "full-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16488,11 +15296,7 @@ }, "response": { ".__no_name": { - "rendered": "ShortBlob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "short-blob", "requiresRelaxedTypeAnnotation": false } } @@ -16516,11 +15320,7 @@ }, "response": { ".__no_name": { - "rendered": "Blob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "blob", "requiresRelaxedTypeAnnotation": false } } @@ -16557,11 +15357,7 @@ }, "response": { ".__no_name": { - "rendered": "GitCommit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-commit", "requiresRelaxedTypeAnnotation": false } } @@ -16585,11 +15381,7 @@ }, "response": { ".__no_name": { - "rendered": "GitCommit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-commit", "requiresRelaxedTypeAnnotation": false } } @@ -16617,11 +15409,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "GitRef", "requiresRelaxedTypeAnnotation": false } } @@ -16645,11 +15433,7 @@ }, "response": { ".__no_name": { - "rendered": "GitRef", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-ref", "requiresRelaxedTypeAnnotation": false } } @@ -16682,11 +15466,7 @@ }, "response": { ".__no_name": { - "rendered": "GitRef", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-ref", "requiresRelaxedTypeAnnotation": false } } @@ -16751,11 +15531,7 @@ }, "response": { ".__no_name": { - "rendered": "GitRef", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-ref", "requiresRelaxedTypeAnnotation": false } } @@ -16792,11 +15568,7 @@ }, "response": { ".__no_name": { - "rendered": "GitTag", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-tag", "requiresRelaxedTypeAnnotation": false } } @@ -16820,11 +15592,7 @@ }, "response": { ".__no_name": { - "rendered": "GitTag", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-tag", "requiresRelaxedTypeAnnotation": false } } @@ -16865,11 +15633,7 @@ }, "response": { ".__no_name": { - "rendered": "GitTree", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-tree", "requiresRelaxedTypeAnnotation": false } } @@ -16902,11 +15666,7 @@ }, "response": { ".__no_name": { - "rendered": "GitTree", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "git-tree", "requiresRelaxedTypeAnnotation": false } } @@ -16943,11 +15703,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Hook", "requiresRelaxedTypeAnnotation": false } } @@ -16984,11 +15740,7 @@ }, "response": { ".__no_name": { - "rendered": "Hook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook", "requiresRelaxedTypeAnnotation": false } } @@ -17040,11 +15792,7 @@ }, "response": { ".__no_name": { - "rendered": "Hook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook", "requiresRelaxedTypeAnnotation": false } } @@ -17085,11 +15833,7 @@ }, "response": { ".__no_name": { - "rendered": "Hook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook", "requiresRelaxedTypeAnnotation": false } } @@ -17113,11 +15857,7 @@ }, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -17154,11 +15894,7 @@ }, "response": { ".__no_name": { - "rendered": "WebhookConfig", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook-config", "requiresRelaxedTypeAnnotation": false } } @@ -17203,11 +15939,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "HookDeliveryItem", "requiresRelaxedTypeAnnotation": false } } @@ -17235,11 +15967,7 @@ }, "response": { ".__no_name": { - "rendered": "HookDelivery", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hook-delivery", "requiresRelaxedTypeAnnotation": false } } @@ -17371,12 +16099,8 @@ }, "response": { ".__no_name": { - "rendered": "Import", + "rendered": "import", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17408,12 +16132,8 @@ }, "response": { ".__no_name": { - "rendered": "Import", + "rendered": "import", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17445,12 +16165,8 @@ }, "response": { ".__no_name": { - "rendered": "Import", + "rendered": "import", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17482,11 +16198,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "PorterAuthor", "requiresRelaxedTypeAnnotation": false } } @@ -17523,11 +16235,7 @@ }, "response": { ".__no_name": { - "rendered": "PorterAuthor", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "porter-author", "requiresRelaxedTypeAnnotation": false } } @@ -17551,11 +16259,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "PorterLargeFile", "requiresRelaxedTypeAnnotation": false } } @@ -17588,12 +16292,8 @@ }, "response": { ".__no_name": { - "rendered": "Import", + "rendered": "import", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17612,12 +16312,8 @@ }, "response": { ".__no_name": { - "rendered": "Installation", + "rendered": "installation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17660,12 +16356,8 @@ }, "response": { ".__no_name": { - "rendered": "(InteractionLimitResponse | hasuraSdk.JSONValue)", + "rendered": "InteractionLimitResponse | { }", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17693,12 +16385,8 @@ }, "response": { ".__no_name": { - "rendered": "InteractionLimitResponse", + "rendered": "interaction-limit-response", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17734,12 +16422,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "RepositoryInvitation", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17803,12 +16487,8 @@ }, "response": { ".__no_name": { - "rendered": "RepositoryInvitation", + "rendered": "repository-invitation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17880,12 +16560,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Issue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17921,12 +16597,8 @@ }, "response": { ".__no_name": { - "rendered": "Issue", + "rendered": "issue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17974,12 +16646,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "IssueComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18030,12 +16698,8 @@ }, "response": { ".__no_name": { - "rendered": "IssueComment", + "rendered": "issue-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18071,12 +16735,8 @@ }, "response": { ".__no_name": { - "rendered": "IssueComment", + "rendered": "issue-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18120,12 +16780,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18161,12 +16817,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18234,13 +16886,9 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } + "rendered": "IssueEvent", + "requiresRelaxedTypeAnnotation": true + } } }, "get__/repos/{owner}/{repo}/issues/events/{event_id}": { @@ -18262,12 +16910,8 @@ }, "response": { ".__no_name": { - "rendered": "IssueEvent", + "rendered": "issue-event", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18290,12 +16934,8 @@ }, "response": { ".__no_name": { - "rendered": "Issue", + "rendered": "issue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18335,12 +16975,8 @@ }, "response": { ".__no_name": { - "rendered": "Issue", + "rendered": "issue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18380,12 +17016,8 @@ }, "response": { ".__no_name": { - "rendered": "Issue", + "rendered": "issue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18425,12 +17057,8 @@ }, "response": { ".__no_name": { - "rendered": "Issue", + "rendered": "issue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18506,12 +17134,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "IssueComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18547,12 +17171,8 @@ }, "response": { ".__no_name": { - "rendered": "IssueComment", + "rendered": "issue-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18592,11 +17212,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "IssueEventForIssue", "requiresRelaxedTypeAnnotation": false } } @@ -18665,11 +17281,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -18706,11 +17318,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -18747,11 +17355,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -18783,11 +17387,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -18901,12 +17501,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18942,12 +17538,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19019,11 +17611,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TimelineIssueEvents", "requiresRelaxedTypeAnnotation": false } } @@ -19060,11 +17648,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "DeployKey", "requiresRelaxedTypeAnnotation": false } } @@ -19097,11 +17681,7 @@ }, "response": { ".__no_name": { - "rendered": "DeployKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deploy-key", "requiresRelaxedTypeAnnotation": false } } @@ -19153,11 +17733,7 @@ }, "response": { ".__no_name": { - "rendered": "DeployKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deploy-key", "requiresRelaxedTypeAnnotation": false } } @@ -19194,11 +17770,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -19231,11 +17803,7 @@ }, "response": { ".__no_name": { - "rendered": "Label", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "label", "requiresRelaxedTypeAnnotation": false } } @@ -19287,11 +17855,7 @@ }, "response": { ".__no_name": { - "rendered": "Label", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "label", "requiresRelaxedTypeAnnotation": false } } @@ -19328,11 +17892,7 @@ }, "response": { ".__no_name": { - "rendered": "Label", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "label", "requiresRelaxedTypeAnnotation": false } } @@ -19352,11 +17912,7 @@ }, "response": { ".__no_name": { - "rendered": "Language", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "language", "requiresRelaxedTypeAnnotation": false } } @@ -19424,11 +17980,7 @@ }, "response": { ".__no_name": { - "rendered": "LicenseContent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "license-content", "requiresRelaxedTypeAnnotation": false } } @@ -19461,12 +18013,8 @@ }, "response": { ".__no_name": { - "rendered": "MergedUpstream", + "rendered": "merged-upstream", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19498,12 +18046,8 @@ }, "response": { ".__no_name": { - "rendered": "Commit", + "rendered": "commit", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19548,15 +18092,11 @@ "response": { ".__no_name": { "rendered": "(Milestone)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Milestone", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19588,12 +18128,8 @@ }, "response": { ".__no_name": { - "rendered": "Milestone", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "milestone", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19644,12 +18180,8 @@ }, "response": { ".__no_name": { - "rendered": "Milestone", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "milestone", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19685,12 +18217,8 @@ }, "response": { ".__no_name": { - "rendered": "Milestone", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "milestone", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19730,11 +18258,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Label", "requiresRelaxedTypeAnnotation": false } } @@ -19787,12 +18311,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Thread", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19824,15 +18344,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n message?: string,\n url?: string,\n\n}", + "rendered": "{ message?: string, url?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19876,12 +18396,8 @@ }, "response": { ".__no_name": { - "rendered": "Page", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "page", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19917,12 +18433,8 @@ }, "response": { ".__no_name": { - "rendered": "Page", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "page", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19995,11 +18507,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "PageBuild", "requiresRelaxedTypeAnnotation": false } } @@ -20019,11 +18527,7 @@ }, "response": { ".__no_name": { - "rendered": "PageBuildStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "page-build-status", "requiresRelaxedTypeAnnotation": false } } @@ -20043,11 +18547,7 @@ }, "response": { ".__no_name": { - "rendered": "PageBuild", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "page-build", "requiresRelaxedTypeAnnotation": false } } @@ -20071,11 +18571,7 @@ }, "response": { ".__no_name": { - "rendered": "PageBuild", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "page-build", "requiresRelaxedTypeAnnotation": false } } @@ -20108,11 +18604,7 @@ }, "response": { ".__no_name": { - "rendered": "PageDeployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "page-deployment", "requiresRelaxedTypeAnnotation": false } } @@ -20132,11 +18624,7 @@ }, "response": { ".__no_name": { - "rendered": "PagesHealthCheck", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "pages-health-check", "requiresRelaxedTypeAnnotation": false } } @@ -20174,15 +18662,11 @@ "response": { ".__no_name": { "rendered": "(Project)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20214,12 +18698,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20275,12 +18755,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PullRequestSimple", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20312,12 +18788,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequest", + "rendered": "pull-request", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20365,12 +18837,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PullRequestReviewComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20421,12 +18889,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReviewComment", + "rendered": "pull-request-review-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20462,12 +18926,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReviewComment", + "rendered": "pull-request-review-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20511,12 +18971,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20552,12 +19008,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20612,12 +19064,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequest", + "rendered": "pull-request", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20653,12 +19101,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequest", + "rendered": "pull-request", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20694,12 +19138,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20751,12 +19191,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PullRequestReviewComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20792,12 +19228,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReviewComment", + "rendered": "pull-request-review-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20837,12 +19269,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReviewComment", + "rendered": "pull-request-review-comment", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20882,12 +19310,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Commit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20927,12 +19351,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "DiffEntry", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20996,11 +19416,7 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestMergeResult", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "pull-request-merge-result", "requiresRelaxedTypeAnnotation": false } } @@ -21041,12 +19457,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestSimple", + "rendered": "pull-request-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21069,11 +19481,7 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReviewRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "pull-request-review-request", "requiresRelaxedTypeAnnotation": false } } @@ -21114,12 +19522,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestSimple", + "rendered": "pull-request-simple", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21159,12 +19563,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PullRequestReview", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21208,12 +19608,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21240,12 +19636,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21272,12 +19664,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21317,12 +19705,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21366,12 +19750,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ReviewComment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21411,12 +19791,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21456,12 +19832,8 @@ }, "response": { ".__no_name": { - "rendered": "PullRequestReview", + "rendered": "pull-request-review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21497,15 +19869,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n message?: string,\n url?: string,\n\n}", + "rendered": "{ message?: string, url?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -21534,12 +19906,8 @@ }, "response": { ".__no_name": { - "rendered": "ContentFile", + "rendered": "content-file", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21571,12 +19939,8 @@ }, "response": { ".__no_name": { - "rendered": "ContentFile", + "rendered": "content-file", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21609,15 +19973,11 @@ "response": { ".__no_name": { "rendered": "(Release)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21649,12 +20009,8 @@ }, "response": { ".__no_name": { - "rendered": "Release", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21705,12 +20061,8 @@ }, "response": { ".__no_name": { - "rendered": "ReleaseAsset", + "rendered": "release-asset", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21746,12 +20098,8 @@ }, "response": { ".__no_name": { - "rendered": "ReleaseAsset", + "rendered": "release-asset", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21783,11 +20131,7 @@ }, "response": { ".__no_name": { - "rendered": "ReleaseNotesContent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "release-notes-content", "requiresRelaxedTypeAnnotation": false } } @@ -21807,12 +20151,8 @@ }, "response": { ".__no_name": { - "rendered": "Release", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21835,12 +20175,8 @@ }, "response": { ".__no_name": { - "rendered": "Release", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21891,12 +20227,8 @@ }, "response": { ".__no_name": { - "rendered": "Release", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21932,12 +20264,8 @@ }, "response": { ".__no_name": { - "rendered": "Release", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "release", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21977,12 +20305,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ReleaseAsset", + "requiresRelaxedTypeAnnotation": true } } }, @@ -22027,12 +20351,8 @@ }, "response": { ".__no_name": { - "rendered": "ReleaseAsset", + "rendered": "release-asset", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -22076,12 +20396,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -22117,12 +20433,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -22218,12 +20530,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "SecretScanningAlert", + "requiresRelaxedTypeAnnotation": true } } }, @@ -22246,12 +20554,8 @@ }, "response": { ".__no_name": { - "rendered": "SecretScanningAlert", + "rendered": "secret-scanning-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -22287,12 +20591,8 @@ }, "response": { ".__no_name": { - "rendered": "SecretScanningAlert", + "rendered": "secret-scanning-alert", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -22332,12 +20632,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "SecretScanningLocation", + "requiresRelaxedTypeAnnotation": true } } }, @@ -22369,12 +20665,8 @@ }, "response": { ".__no_name": { - "rendered": "((SimpleUser)[] | (Stargazer)[])", + "rendered": "(SimpleUser)[] | (Stargazer)[]", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -22397,11 +20689,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CodeFrequencyStat", "requiresRelaxedTypeAnnotation": false } } @@ -22425,11 +20713,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CommitActivity", "requiresRelaxedTypeAnnotation": false } } @@ -22453,11 +20737,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ContributorActivity", "requiresRelaxedTypeAnnotation": false } } @@ -22477,11 +20757,7 @@ }, "response": { ".__no_name": { - "rendered": "ParticipationStats", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "participation-stats", "requiresRelaxedTypeAnnotation": false } } @@ -22505,11 +20781,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "CodeFrequencyStat", "requiresRelaxedTypeAnnotation": false } } @@ -22546,11 +20818,7 @@ }, "response": { ".__no_name": { - "rendered": "Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "status", "requiresRelaxedTypeAnnotation": false } } @@ -22587,11 +20855,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -22635,11 +20899,7 @@ }, "response": { ".__no_name": { - "rendered": "RepositorySubscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "repository-subscription", "requiresRelaxedTypeAnnotation": false } } @@ -22672,11 +20932,7 @@ }, "response": { ".__no_name": { - "rendered": "RepositorySubscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "repository-subscription", "requiresRelaxedTypeAnnotation": false } } @@ -22713,11 +20969,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Tag", "requiresRelaxedTypeAnnotation": false } } @@ -22741,11 +20993,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TagProtection", "requiresRelaxedTypeAnnotation": false } } @@ -22778,11 +21026,7 @@ }, "response": { ".__no_name": { - "rendered": "TagProtection", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tag-protection", "requiresRelaxedTypeAnnotation": false } } @@ -22875,11 +21119,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -22912,11 +21152,7 @@ }, "response": { ".__no_name": { - "rendered": "Topic", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "topic", "requiresRelaxedTypeAnnotation": false } } @@ -22953,11 +21189,7 @@ }, "response": { ".__no_name": { - "rendered": "Topic", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "topic", "requiresRelaxedTypeAnnotation": false } } @@ -22986,11 +21218,7 @@ }, "response": { ".__no_name": { - "rendered": "CloneTraffic", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "clone-traffic", "requiresRelaxedTypeAnnotation": false } } @@ -23014,11 +21242,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ContentTraffic", "requiresRelaxedTypeAnnotation": false } } @@ -23042,11 +21266,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ReferrerTraffic", "requiresRelaxedTypeAnnotation": false } } @@ -23075,11 +21295,7 @@ }, "response": { ".__no_name": { - "rendered": "ViewTraffic", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "view-traffic", "requiresRelaxedTypeAnnotation": false } } @@ -23116,12 +21332,8 @@ }, "response": { ".__no_name": { - "rendered": "MinimalRepository", + "rendered": "minimal-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -23253,12 +21465,8 @@ }, "response": { ".__no_name": { - "rendered": "Repository", + "rendered": "repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -23281,12 +21489,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -23318,19 +21522,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n secrets: (ActionsSecret)[],\n total_count: number,\n\n}", + "rendered": "{ secrets?: (ActionsSecret)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets": { + "rendered": " secrets?: (ActionsSecret)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.secrets.__no_name": { + "rendered": "ActionsSecret", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23350,11 +21554,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -23406,11 +21606,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-secret", "requiresRelaxedTypeAnnotation": false } } @@ -23447,11 +21643,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -23484,19 +21676,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n total_count: number,\n variables: (ActionsVariable)[],\n\n}", + "rendered": "{ total_count?: number, variables?: (ActionsVariable)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.variables": { + "rendered": " variables?: (ActionsVariable)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.variables.__no_name": { + "rendered": "ActionsVariable", "requiresRelaxedTypeAnnotation": false } } @@ -23529,11 +21721,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -23585,11 +21773,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsVariable", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-variable", "requiresRelaxedTypeAnnotation": false } } @@ -23666,19 +21850,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (CodeSearchResultItem)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ incomplete_results?: boolean, items?: (CodeSearchResultItem)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items": { + "rendered": " items?: (CodeSearchResultItem)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "CodeSearchResultItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23714,19 +21902,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (CommitSearchResultItem)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ incomplete_results?: boolean, items?: (CommitSearchResultItem)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items": { + "rendered": " items?: (CommitSearchResultItem)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "CommitSearchResultItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23762,19 +21954,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (IssueSearchResultItem)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ incomplete_results?: boolean, items?: (IssueSearchResultItem)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items": { + "rendered": " items?: (IssueSearchResultItem)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "IssueSearchResultItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23814,19 +22010,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (LabelSearchResultItem)[],\n total_count: number,\n\n}", + "rendered": "{ incomplete_results?: boolean, items?: (LabelSearchResultItem)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: (LabelSearchResultItem)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "LabelSearchResultItem", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23862,19 +22062,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (RepoSearchResultItem)[],\n total_count: number,\n\n}", + "rendered": "{ incomplete_results?: boolean, items?: (RepoSearchResultItem)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: (RepoSearchResultItem)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "RepoSearchResultItem", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23902,19 +22106,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (TopicSearchResultItem)[],\n total_count: number,\n\n}", + "rendered": "{ incomplete_results?: boolean, items?: (TopicSearchResultItem)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: (TopicSearchResultItem)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "TopicSearchResultItem", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23950,19 +22158,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n incomplete_results: boolean,\n items: (UserSearchResultItem)[],\n total_count: number,\n\n}", + "rendered": "{ incomplete_results?: boolean, items?: (UserSearchResultItem)[], total_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.incomplete_results": { + "rendered": " incomplete_results?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: (UserSearchResultItem)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "UserSearchResultItem", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -23998,12 +22210,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamFull", + "rendered": "team-full", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24031,12 +22239,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamFull", + "rendered": "team-full", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24072,11 +22276,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamDiscussion", "requiresRelaxedTypeAnnotation": false } } @@ -24105,11 +22305,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -24153,11 +22349,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -24190,11 +22382,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion", "requiresRelaxedTypeAnnotation": false } } @@ -24235,11 +22423,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamDiscussionComment", "requiresRelaxedTypeAnnotation": false } } @@ -24272,11 +22456,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -24328,11 +22508,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -24369,11 +22545,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamDiscussionComment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-discussion-comment", "requiresRelaxedTypeAnnotation": false } } @@ -24418,12 +22590,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -24459,12 +22627,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24504,12 +22668,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Reaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -24541,12 +22701,8 @@ }, "response": { ".__no_name": { - "rendered": "Reaction", + "rendered": "reaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24578,11 +22734,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationInvitation", "requiresRelaxedTypeAnnotation": false } } @@ -24619,11 +22771,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -24739,12 +22887,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamMembership", + "rendered": "team-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24776,12 +22920,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamMembership", + "rendered": "team-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -24813,11 +22953,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "TeamProject", "requiresRelaxedTypeAnnotation": false } } @@ -24861,11 +22997,7 @@ }, "response": { ".__no_name": { - "rendered": "TeamProject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "team-project", "requiresRelaxedTypeAnnotation": false } } @@ -24935,12 +23067,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -24991,12 +23119,8 @@ }, "response": { ".__no_name": { - "rendered": "TeamRepository", + "rendered": "team-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25069,11 +23193,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Team", "requiresRelaxedTypeAnnotation": false } } @@ -25084,12 +23204,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "(PrivateUser | PublicUser)", + "rendered": "PrivateUser | PublicUser", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25112,11 +23228,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "PrivateUser", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "private-user", "requiresRelaxedTypeAnnotation": false } } @@ -25144,11 +23256,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -25236,19 +23344,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n codespaces: (Codespace)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ codespaces?: (Codespace)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces": { + "rendered": " codespaces?: (Codespace)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.codespaces.__no_name": { + "rendered": "Codespace", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -25268,12 +23376,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25296,19 +23400,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n secrets: (CodespacesSecret)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ secrets?: (CodespacesSecret)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets": { + "rendered": " secrets?: (CodespacesSecret)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.secrets.__no_name": { + "rendered": "CodespacesSecret", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -25319,11 +23423,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "CodespacesUserPublicKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codespaces-user-public-key", "requiresRelaxedTypeAnnotation": false } } @@ -25359,12 +23459,8 @@ }, "response": { ".__no_name": { - "rendered": "CodespacesSecret", + "rendered": "codespaces-secret", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25396,11 +23492,7 @@ }, "response": { ".__no_name": { - "rendered": "EmptyObject", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "empty-object", "requiresRelaxedTypeAnnotation": false } } @@ -25416,19 +23508,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (MinimalRepository)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (MinimalRepository)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (MinimalRepository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories.__no_name": { + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -25549,12 +23641,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25586,12 +23674,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25606,11 +23690,7 @@ }, "response": { ".__no_name": { - "rendered": "CodespaceExportDetails", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codespace-export-details", "requiresRelaxedTypeAnnotation": false } } @@ -25630,11 +23710,7 @@ }, "response": { ".__no_name": { - "rendered": "CodespaceExportDetails", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "codespace-export-details", "requiresRelaxedTypeAnnotation": false } } @@ -25650,19 +23726,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n machines: (CodespaceMachine)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ machines?: (CodespaceMachine)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.machines": { + "rendered": " machines?: (CodespaceMachine)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.machines.__no_name": { + "rendered": "CodespaceMachine", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -25691,12 +23767,8 @@ }, "response": { ".__no_name": { - "rendered": "CodespaceWithFullRepository", + "rendered": "codespace-with-full-repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25711,12 +23783,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25731,12 +23799,8 @@ }, "response": { ".__no_name": { - "rendered": "Codespace", + "rendered": "codespace", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -25763,11 +23827,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Email", "requiresRelaxedTypeAnnotation": false } } @@ -25819,11 +23879,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Email", "requiresRelaxedTypeAnnotation": false } } @@ -25847,11 +23903,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Email", "requiresRelaxedTypeAnnotation": false } } @@ -25879,11 +23931,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -25911,11 +23959,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -26003,12 +24047,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "GpgKey", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26031,12 +24071,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "GpgKey", + "rendered": "gpg-key", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26071,12 +24107,8 @@ }, "response": { ".__no_name": { - "rendered": "GpgKey", + "rendered": "gpg-key", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26099,19 +24131,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n installations: (Installation)[],\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ installations?: (Installation)[], total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.installations": { + "rendered": " installations?: (Installation)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.installations.__no_name": { + "rendered": "Installation", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -26140,19 +24172,23 @@ }, "response": { ".__no_name": { - "rendered": "{\n repositories: (Repository)[],\n repository_selection?: string,\n total_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ repositories?: (Repository)[], repository_selection?: string, total_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.repositories": { + "rendered": " repositories?: (Repository)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.repositories.__no_name": { + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.repository_selection": { + "rendered": " repository_selection?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total_count": { + "rendered": " total_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -26226,12 +24262,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "(InteractionLimitResponse | hasuraSdk.JSONValue)", + "rendered": "InteractionLimitResponse | { }", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26250,12 +24282,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InteractionLimitResponse", + "rendered": "interaction-limit-response", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26306,12 +24334,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Issue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26338,11 +24362,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Key", "requiresRelaxedTypeAnnotation": false } } @@ -26366,11 +24386,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Key", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "key", "requiresRelaxedTypeAnnotation": false } } @@ -26406,11 +24422,7 @@ }, "response": { ".__no_name": { - "rendered": "Key", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "key", "requiresRelaxedTypeAnnotation": false } } @@ -26438,12 +24450,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "UserMarketplacePurchase", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26470,12 +24478,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "UserMarketplacePurchase", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26506,12 +24510,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "OrgMembership", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26526,12 +24526,8 @@ }, "response": { ".__no_name": { - "rendered": "OrgMembership", + "rendered": "org-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26559,12 +24555,8 @@ }, "response": { ".__no_name": { - "rendered": "OrgMembership", + "rendered": "org-membership", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26591,12 +24583,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Migration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26623,12 +24611,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Migration", + "rendered": "migration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26656,12 +24640,8 @@ }, "response": { ".__no_name": { - "rendered": "Migration", + "rendered": "migration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -26757,12 +24737,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26789,11 +24765,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationSimple", "requiresRelaxedTypeAnnotation": false } } @@ -26818,15 +24790,11 @@ "response": { ".__no_name": { "rendered": "(Package)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26869,12 +24837,8 @@ }, "response": { ".__no_name": { - "rendered": "Package", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -26947,12 +24911,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PackageVersion", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27003,12 +24963,8 @@ }, "response": { ".__no_name": { - "rendered": "PackageVersion", + "rendered": "package-version", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -27059,12 +25015,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Project", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27091,11 +25043,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Email", "requiresRelaxedTypeAnnotation": false } } @@ -27151,12 +25099,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27179,12 +25123,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Repository", + "rendered": "repository", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -27211,12 +25151,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "RepositoryInvitation", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27283,11 +25219,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SshSigningKey", "requiresRelaxedTypeAnnotation": false } } @@ -27311,11 +25243,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SshSigningKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ssh-signing-key", "requiresRelaxedTypeAnnotation": false } } @@ -27351,11 +25279,7 @@ }, "response": { ".__no_name": { - "rendered": "SshSigningKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ssh-signing-key", "requiresRelaxedTypeAnnotation": false } } @@ -27391,12 +25315,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Repository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27495,12 +25415,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27527,12 +25443,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "TeamFull", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27559,11 +25471,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -27579,12 +25487,8 @@ }, "response": { ".__no_name": { - "rendered": "(PrivateUser | PublicUser)", + "rendered": "PrivateUser | PublicUser", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -27613,15 +25517,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27654,15 +25554,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27691,15 +25587,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27731,11 +25623,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -27768,11 +25656,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SimpleUser", "requiresRelaxedTypeAnnotation": false } } @@ -27833,12 +25717,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "BaseGist", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27870,12 +25750,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "GpgKey", + "requiresRelaxedTypeAnnotation": true } } }, @@ -27903,11 +25779,7 @@ }, "response": { ".__no_name": { - "rendered": "Hovercard", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "hovercard", "requiresRelaxedTypeAnnotation": false } } @@ -27923,12 +25795,8 @@ }, "response": { ".__no_name": { - "rendered": "Installation", + "rendered": "installation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -27960,11 +25828,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "KeySimple", "requiresRelaxedTypeAnnotation": false } } @@ -27997,11 +25861,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "OrganizationSimple", "requiresRelaxedTypeAnnotation": false } } @@ -28031,15 +25891,11 @@ "response": { ".__no_name": { "rendered": "(Package)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28090,12 +25946,8 @@ }, "response": { ".__no_name": { - "rendered": "Package", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "package", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28159,12 +26011,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "PackageVersion", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28223,12 +26071,8 @@ }, "response": { ".__no_name": { - "rendered": "PackageVersion", + "rendered": "package-version", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -28293,15 +26137,11 @@ "response": { ".__no_name": { "rendered": "(Project)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28330,15 +26170,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28367,15 +26203,11 @@ "response": { ".__no_name": { "rendered": "(Event)[]", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28419,12 +26251,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28439,11 +26267,7 @@ }, "response": { ".__no_name": { - "rendered": "ActionsBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "actions-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -28459,11 +26283,7 @@ }, "response": { ".__no_name": { - "rendered": "PackagesBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "packages-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -28479,11 +26299,7 @@ }, "response": { ".__no_name": { - "rendered": "CombinedBillingUsage", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "combined-billing-usage", "requiresRelaxedTypeAnnotation": false } } @@ -28516,11 +26332,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "SshSigningKey", "requiresRelaxedTypeAnnotation": false } } @@ -28557,12 +26369,8 @@ }, "response": { ".__no_name": { - "rendered": "((StarredRepository)[] | (Repository)[])", + "rendered": "(StarredRepository)[] | (Repository)[]", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -28594,12 +26402,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "MinimalRepository", + "requiresRelaxedTypeAnnotation": true } } }, @@ -28613,11 +26417,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -28628,11 +26428,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "AlertCreatedAt", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/gitlab.json b/src/app/generator/test-data/param-generator/golden-files/gitlab.json index d1c46b8..62d5038 100644 --- a/src/app/generator/test-data/param-generator/golden-files/gitlab.json +++ b/src/app/generator/test-data/param-generator/golden-files/gitlab.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "ApplicationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -39,10 +35,6 @@ ".__no_name": { "rendered": "ApplicationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -97,10 +89,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -117,10 +105,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -132,10 +116,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -152,10 +132,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -167,10 +143,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -187,10 +159,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -252,10 +220,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -280,10 +244,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -312,10 +272,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -352,10 +308,6 @@ ".__no_name": { "rendered": "GroupDetail", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -405,10 +357,6 @@ ".__no_name": { "rendered": "Group", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -438,10 +386,6 @@ ".__no_name": { "rendered": "AccessRequester", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -458,10 +402,6 @@ ".__no_name": { "rendered": "AccessRequester", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -519,10 +459,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -572,10 +508,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -609,10 +541,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -650,10 +578,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -698,10 +622,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -739,10 +659,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -759,10 +675,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -840,10 +752,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -897,10 +805,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -921,10 +825,6 @@ ".__no_name": { "rendered": "GroupDetail", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -936,10 +836,6 @@ ".__no_name": { "rendered": "Hook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -964,10 +860,6 @@ ".__no_name": { "rendered": "Hook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -984,10 +876,6 @@ ".__no_name": { "rendered": "Hook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1004,10 +892,6 @@ ".__no_name": { "rendered": "Hook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1157,10 +1041,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1177,10 +1057,6 @@ ".__no_name": { "rendered": "SSHKeyWithUser", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1201,10 +1077,6 @@ ".__no_name": { "rendered": "RepoLicense", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1221,10 +1093,6 @@ ".__no_name": { "rendered": "RepoLicense", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1253,10 +1121,6 @@ ".__no_name": { "rendered": "Namespace", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1268,10 +1132,6 @@ ".__no_name": { "rendered": "GlobalNotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1296,10 +1156,6 @@ ".__no_name": { "rendered": "GlobalNotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1348,10 +1204,6 @@ ".__no_name": { "rendered": "BasicProjectDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1376,10 +1228,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1432,10 +1280,6 @@ ".__no_name": { "rendered": "BasicProjectDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1465,10 +1309,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1521,10 +1361,6 @@ ".__no_name": { "rendered": "BasicProjectDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1562,10 +1398,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1614,10 +1446,6 @@ ".__no_name": { "rendered": "BasicProjectDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1719,10 +1547,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1771,10 +1595,6 @@ ".__no_name": { "rendered": "BasicProjectDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1811,10 +1631,6 @@ ".__no_name": { "rendered": "ProjectWithAccess", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1912,10 +1728,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1949,10 +1761,6 @@ ".__no_name": { "rendered": "TriggerRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1982,10 +1790,6 @@ ".__no_name": { "rendered": "AccessRequester", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2002,10 +1806,6 @@ ".__no_name": { "rendered": "AccessRequester", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2063,10 +1863,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2083,10 +1879,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2103,10 +1895,6 @@ ".__no_name": { "rendered": "Board", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2127,10 +1915,6 @@ ".__no_name": { "rendered": "List", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2164,10 +1948,6 @@ ".__no_name": { "rendered": "List", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2192,10 +1972,6 @@ ".__no_name": { "rendered": "List", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2220,10 +1996,6 @@ ".__no_name": { "rendered": "List", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2261,10 +2033,6 @@ ".__no_name": { "rendered": "List", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2298,10 +2066,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2355,10 +2119,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2403,10 +2163,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2427,10 +2183,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2451,10 +2203,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2475,10 +2223,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2499,10 +2243,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2543,10 +2283,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2580,10 +2316,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2604,10 +2336,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2628,10 +2356,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2652,10 +2376,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2676,10 +2396,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2709,10 +2425,6 @@ ".__no_name": { "rendered": "Deployment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2733,10 +2445,6 @@ ".__no_name": { "rendered": "Deployment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2766,10 +2474,6 @@ ".__no_name": { "rendered": "Environment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2807,10 +2511,6 @@ ".__no_name": { "rendered": "Environment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2831,10 +2531,6 @@ ".__no_name": { "rendered": "Environment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2876,10 +2572,6 @@ ".__no_name": { "rendered": "Environment", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2909,10 +2601,6 @@ ".__no_name": { "rendered": "Event", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2986,10 +2674,6 @@ ".__no_name": { "rendered": "ProjectHook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3059,10 +2743,6 @@ ".__no_name": { "rendered": "ProjectHook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3083,10 +2763,6 @@ ".__no_name": { "rendered": "ProjectHook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3107,10 +2783,6 @@ ".__no_name": { "rendered": "ProjectHook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3184,10 +2856,6 @@ ".__no_name": { "rendered": "ProjectHook", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3241,10 +2909,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3306,10 +2970,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3354,10 +3014,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3427,10 +3083,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3501,10 +3153,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3538,10 +3186,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3566,10 +3210,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3594,10 +3234,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3631,10 +3267,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3672,10 +3304,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3713,10 +3341,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3745,10 +3369,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3777,10 +3397,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3910,10 +3526,6 @@ ".__no_name": { "rendered": "Todo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3947,10 +3559,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3988,10 +3596,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4016,10 +3620,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4044,10 +3644,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4085,10 +3681,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4109,10 +3701,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4133,10 +3721,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4153,10 +3737,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4190,10 +3770,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4214,10 +3790,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4238,10 +3810,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4262,10 +3830,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4286,10 +3850,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4315,10 +3875,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4335,10 +3891,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4380,10 +3932,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4429,10 +3977,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4453,10 +3997,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4477,10 +4017,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4514,10 +4050,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4555,10 +4087,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4603,10 +4131,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4644,10 +4168,6 @@ ".__no_name": { "rendered": "Member", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4668,10 +4188,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4733,10 +4249,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4757,10 +4269,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4781,10 +4289,6 @@ ".__no_name": { "rendered": "MergeRequestChanges", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4818,10 +4322,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4855,10 +4355,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4892,10 +4388,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4916,10 +4408,6 @@ ".__no_name": { "rendered": "RepoCommit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4965,10 +4453,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4989,10 +4473,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5013,10 +4493,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5075,10 +4551,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5140,10 +4612,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5188,10 +4656,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5253,10 +4717,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5327,10 +4787,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5364,10 +4820,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5392,10 +4844,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5420,10 +4868,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5444,10 +4888,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5468,10 +4908,6 @@ ".__no_name": { "rendered": "MergeRequestChanges", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5505,10 +4941,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5542,10 +4974,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5579,10 +5007,6 @@ ".__no_name": { "rendered": "MRNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5603,10 +5027,6 @@ ".__no_name": { "rendered": "RepoCommit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5652,10 +5072,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5693,10 +5109,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5734,10 +5146,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5766,10 +5174,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5798,10 +5202,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5931,10 +5331,6 @@ ".__no_name": { "rendered": "Todo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5955,10 +5351,6 @@ ".__no_name": { "rendered": "MergeRequestDiff", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5983,10 +5375,6 @@ ".__no_name": { "rendered": "MergeRequestDiffFull", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6020,10 +5408,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6061,10 +5445,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6089,10 +5469,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6117,10 +5493,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6158,10 +5530,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6182,10 +5550,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6206,10 +5570,6 @@ ".__no_name": { "rendered": "MergeRequest", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6260,10 +5620,6 @@ ".__no_name": { "rendered": "Milestone", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6305,10 +5661,6 @@ ".__no_name": { "rendered": "Milestone", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6329,10 +5681,6 @@ ".__no_name": { "rendered": "Milestone", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6382,10 +5730,6 @@ ".__no_name": { "rendered": "Milestone", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6419,10 +5763,6 @@ ".__no_name": { "rendered": "Issue", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6439,10 +5779,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6520,10 +5856,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6553,10 +5885,6 @@ ".__no_name": { "rendered": "Pipeline", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6590,10 +5918,6 @@ ".__no_name": { "rendered": "Pipeline", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6614,10 +5938,6 @@ ".__no_name": { "rendered": "Pipeline", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6638,10 +5958,6 @@ ".__no_name": { "rendered": "Pipeline", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6662,10 +5978,6 @@ ".__no_name": { "rendered": "Pipeline", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6748,10 +6060,6 @@ ".__no_name": { "rendered": "RepoBranch", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6785,10 +6093,6 @@ ".__no_name": { "rendered": "RepoBranch", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6833,10 +6137,6 @@ ".__no_name": { "rendered": "RepoBranch", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6874,10 +6174,6 @@ ".__no_name": { "rendered": "RepoBranch", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6898,10 +6194,6 @@ ".__no_name": { "rendered": "RepoBranch", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6947,10 +6239,6 @@ ".__no_name": { "rendered": "RepoCommit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7000,10 +6288,6 @@ ".__no_name": { "rendered": "RepoCommitDetail", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7024,10 +6308,6 @@ ".__no_name": { "rendered": "RepoCommitDetail", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7098,10 +6378,6 @@ ".__no_name": { "rendered": "Build", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7135,10 +6411,6 @@ ".__no_name": { "rendered": "RepoCommit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7172,10 +6444,6 @@ ".__no_name": { "rendered": "CommitNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7221,10 +6489,6 @@ ".__no_name": { "rendered": "CommitNote", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7298,10 +6562,6 @@ ".__no_name": { "rendered": "CommitStatus", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7331,10 +6591,6 @@ ".__no_name": { "rendered": "Compare", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7351,10 +6607,6 @@ ".__no_name": { "rendered": "Contributor", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7607,10 +6859,6 @@ ".__no_name": { "rendered": "RepoTag", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7652,10 +6900,6 @@ ".__no_name": { "rendered": "RepoTag", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7700,10 +6944,6 @@ ".__no_name": { "rendered": "RepoTag", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7737,10 +6977,6 @@ ".__no_name": { "rendered": "Release", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7774,10 +7010,6 @@ ".__no_name": { "rendered": "Release", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7811,10 +7043,6 @@ ".__no_name": { "rendered": "RepoTreeObject", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7848,10 +7076,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7881,10 +7105,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7905,10 +7125,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9285,10 +8501,6 @@ ".__no_name": { "rendered": "ProjectService", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9326,10 +8538,6 @@ ".__no_name": { "rendered": "ProjectGroupLink", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9383,10 +8591,6 @@ ".__no_name": { "rendered": "ProjectSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9428,10 +8632,6 @@ ".__no_name": { "rendered": "ProjectSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9465,10 +8665,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9506,10 +8702,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9534,10 +8726,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9562,10 +8750,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9603,10 +8787,6 @@ ".__no_name": { "rendered": "Note", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9651,10 +8831,6 @@ ".__no_name": { "rendered": "ProjectSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9700,10 +8876,6 @@ ".__no_name": { "rendered": "ProjectSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9737,10 +8909,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9774,10 +8942,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9802,10 +8966,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9830,10 +8990,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9871,10 +9027,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9912,10 +9064,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9944,10 +9092,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9976,10 +9120,6 @@ ".__no_name": { "rendered": "AwardEmoji", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10020,10 +9160,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10040,10 +9176,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10097,10 +9229,6 @@ ".__no_name": { "rendered": "CommitStatus", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10130,10 +9258,6 @@ ".__no_name": { "rendered": "Trigger", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10150,10 +9274,6 @@ ".__no_name": { "rendered": "Trigger", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10174,10 +9294,6 @@ ".__no_name": { "rendered": "Trigger", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10198,10 +9314,6 @@ ".__no_name": { "rendered": "Trigger", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10218,10 +9330,6 @@ ".__no_name": { "rendered": "Project", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10288,10 +9396,6 @@ ".__no_name": { "rendered": "UserBasic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10321,10 +9425,6 @@ ".__no_name": { "rendered": "Variable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10358,10 +9458,6 @@ ".__no_name": { "rendered": "Variable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10382,10 +9478,6 @@ ".__no_name": { "rendered": "Variable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10406,10 +9498,6 @@ ".__no_name": { "rendered": "Variable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10443,10 +9531,6 @@ ".__no_name": { "rendered": "Variable", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10475,10 +9559,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10507,10 +9587,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10527,10 +9603,6 @@ ".__no_name": { "rendered": "Runner", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10547,10 +9619,6 @@ ".__no_name": { "rendered": "RunnerDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10600,10 +9668,6 @@ ".__no_name": { "rendered": "RunnerDetails", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10628,10 +9692,6 @@ ".__no_name": { "rendered": "UserWithPrivateToken", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10716,10 +9776,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10744,10 +9800,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10772,10 +9824,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10792,10 +9840,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10812,10 +9856,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10857,10 +9897,6 @@ ".__no_name": { "rendered": "PersonalSnippet", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10892,10 +9928,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10912,10 +9944,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10927,10 +9955,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10947,10 +9971,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10962,10 +9982,6 @@ ".__no_name": { "rendered": "TemplatesList", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10982,10 +9998,6 @@ ".__no_name": { "rendered": "Template", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11006,10 +10018,6 @@ ".__no_name": { "rendered": "RepoLicense", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11026,10 +10034,6 @@ ".__no_name": { "rendered": "RepoLicense", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11069,10 +10073,6 @@ ".__no_name": { "rendered": "Todo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11089,10 +10089,6 @@ ".__no_name": { "rendered": "Todo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11104,10 +10100,6 @@ ".__no_name": { "rendered": "UserPublic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11119,10 +10111,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11147,10 +10135,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11187,10 +10171,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11202,10 +10182,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11226,10 +10202,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11246,10 +10218,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11266,10 +10234,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11314,10 +10278,6 @@ ".__no_name": { "rendered": "UserBasic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11342,10 +10302,6 @@ ".__no_name": { "rendered": "UserPublic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11362,10 +10318,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11382,10 +10334,6 @@ ".__no_name": { "rendered": "UserBasic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11483,10 +10431,6 @@ ".__no_name": { "rendered": "UserPublic", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11523,10 +10467,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11556,10 +10496,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11580,10 +10516,6 @@ ".__no_name": { "rendered": "Email", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11613,10 +10545,6 @@ ".__no_name": { "rendered": "Event", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11633,10 +10561,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11670,10 +10594,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11694,10 +10614,6 @@ ".__no_name": { "rendered": "SSHKey", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/gmail.json b/src/app/generator/test-data/param-generator/golden-files/gmail.json index e9e352d..6c2ff19 100644 --- a/src/app/generator/test-data/param-generator/golden-files/gmail.json +++ b/src/app/generator/test-data/param-generator/golden-files/gmail.json @@ -77,10 +77,6 @@ ".__no_name": { "rendered": "ListDraftsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -155,10 +151,6 @@ ".__no_name": { "rendered": "Draft", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -233,10 +225,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -383,10 +371,6 @@ ".__no_name": { "rendered": "Draft", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -465,10 +449,6 @@ ".__no_name": { "rendered": "Draft", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -558,10 +538,6 @@ ".__no_name": { "rendered": "ListHistoryResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -627,10 +603,6 @@ ".__no_name": { "rendered": "ListLabelsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -705,10 +677,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -851,10 +819,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -933,10 +897,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1015,10 +975,6 @@ ".__no_name": { "rendered": "Label", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1108,10 +1064,6 @@ ".__no_name": { "rendered": "ListMessagesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1194,10 +1146,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1444,10 +1392,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1522,10 +1466,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1680,10 +1620,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1762,10 +1698,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1835,10 +1767,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1908,10 +1836,6 @@ ".__no_name": { "rendered": "Message", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1985,10 +1909,6 @@ ".__no_name": { "rendered": "MessagePartBody", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2054,10 +1974,6 @@ ".__no_name": { "rendered": "Profile", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2123,10 +2039,6 @@ ".__no_name": { "rendered": "AutoForwarding", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2201,10 +2113,6 @@ ".__no_name": { "rendered": "AutoForwarding", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2278,10 +2186,6 @@ ".__no_name": { "rendered": "ListCseIdentitiesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2356,10 +2260,6 @@ ".__no_name": { "rendered": "CseIdentity", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2502,10 +2402,6 @@ ".__no_name": { "rendered": "CseIdentity", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2584,10 +2480,6 @@ ".__no_name": { "rendered": "CseIdentity", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2661,10 +2553,6 @@ ".__no_name": { "rendered": "ListCseKeyPairsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2739,10 +2627,6 @@ ".__no_name": { "rendered": "CseKeyPair", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2812,10 +2696,6 @@ ".__no_name": { "rendered": "CseKeyPair", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2898,10 +2778,6 @@ ".__no_name": { "rendered": "CseKeyPair", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2984,10 +2860,6 @@ ".__no_name": { "rendered": "CseKeyPair", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3139,10 +3011,6 @@ ".__no_name": { "rendered": "ListDelegatesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3217,10 +3085,6 @@ ".__no_name": { "rendered": "Delegate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3363,10 +3227,6 @@ ".__no_name": { "rendered": "Delegate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3432,10 +3292,6 @@ ".__no_name": { "rendered": "ListFiltersResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3510,10 +3366,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3656,10 +3508,6 @@ ".__no_name": { "rendered": "Filter", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3725,10 +3573,6 @@ ".__no_name": { "rendered": "ListForwardingAddressesResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3803,10 +3647,6 @@ ".__no_name": { "rendered": "ForwardingAddress", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3949,10 +3789,6 @@ ".__no_name": { "rendered": "ForwardingAddress", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4018,10 +3854,6 @@ ".__no_name": { "rendered": "ImapSettings", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4096,10 +3928,6 @@ ".__no_name": { "rendered": "ImapSettings", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4165,10 +3993,6 @@ ".__no_name": { "rendered": "LanguageSettings", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4243,10 +4067,6 @@ ".__no_name": { "rendered": "LanguageSettings", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4312,10 +4132,6 @@ ".__no_name": { "rendered": "PopSettings", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4390,10 +4206,6 @@ ".__no_name": { "rendered": "PopSettings", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4459,10 +4271,6 @@ ".__no_name": { "rendered": "ListSendAsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4537,10 +4345,6 @@ ".__no_name": { "rendered": "SendAs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4683,10 +4487,6 @@ ".__no_name": { "rendered": "SendAs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4765,10 +4565,6 @@ ".__no_name": { "rendered": "SendAs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4847,10 +4643,6 @@ ".__no_name": { "rendered": "SendAs", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4920,10 +4712,6 @@ ".__no_name": { "rendered": "ListSmimeInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5002,10 +4790,6 @@ ".__no_name": { "rendered": "SmimeInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5156,10 +4940,6 @@ ".__no_name": { "rendered": "SmimeInfo", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5375,10 +5155,6 @@ ".__no_name": { "rendered": "VacationSettings", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5453,10 +5229,6 @@ ".__no_name": { "rendered": "VacationSettings", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5615,10 +5387,6 @@ ".__no_name": { "rendered": "ListThreadsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5773,10 +5541,6 @@ ".__no_name": { "rendered": "Thread", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5855,10 +5619,6 @@ ".__no_name": { "rendered": "Thread", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5928,10 +5688,6 @@ ".__no_name": { "rendered": "Thread", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6001,10 +5757,6 @@ ".__no_name": { "rendered": "Thread", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6079,10 +5831,6 @@ ".__no_name": { "rendered": "WatchResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/google-adsense.json b/src/app/generator/test-data/param-generator/golden-files/google-adsense.json index b6b621e..cfaad22 100644 --- a/src/app/generator/test-data/param-generator/golden-files/google-adsense.json +++ b/src/app/generator/test-data/param-generator/golden-files/google-adsense.json @@ -48,10 +48,6 @@ ".__no_name": { "rendered": "Accounts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -105,10 +101,6 @@ ".__no_name": { "rendered": "Account", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -166,10 +158,6 @@ ".__no_name": { "rendered": "AdClients", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -227,10 +215,6 @@ ".__no_name": { "rendered": "AdCode", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -296,10 +280,6 @@ ".__no_name": { "rendered": "AdUnits", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -357,10 +337,6 @@ ".__no_name": { "rendered": "AdUnit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -418,10 +394,6 @@ ".__no_name": { "rendered": "AdCode", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -487,10 +459,6 @@ ".__no_name": { "rendered": "CustomChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -552,10 +520,6 @@ ".__no_name": { "rendered": "CustomChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -613,10 +577,6 @@ ".__no_name": { "rendered": "CustomChannel", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -686,10 +646,6 @@ ".__no_name": { "rendered": "AdUnits", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -751,10 +707,6 @@ ".__no_name": { "rendered": "UrlChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -808,10 +760,6 @@ ".__no_name": { "rendered": "Alerts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -918,10 +866,6 @@ ".__no_name": { "rendered": "Payments", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1031,10 +975,6 @@ ".__no_name": { "rendered": "AdsenseReportsGenerateResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1092,10 +1032,6 @@ ".__no_name": { "rendered": "SavedReports", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1161,10 +1097,6 @@ ".__no_name": { "rendered": "AdsenseReportsGenerateResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1222,10 +1154,6 @@ ".__no_name": { "rendered": "SavedAdStyles", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1279,10 +1207,6 @@ ".__no_name": { "rendered": "SavedAdStyle", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1335,10 +1259,6 @@ ".__no_name": { "rendered": "AdClients", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1400,10 +1320,6 @@ ".__no_name": { "rendered": "AdUnits", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1457,10 +1373,6 @@ ".__no_name": { "rendered": "AdUnit", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1514,10 +1426,6 @@ ".__no_name": { "rendered": "AdCode", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1579,10 +1487,6 @@ ".__no_name": { "rendered": "CustomChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1640,10 +1544,6 @@ ".__no_name": { "rendered": "CustomChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1697,10 +1597,6 @@ ".__no_name": { "rendered": "CustomChannel", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1766,10 +1662,6 @@ ".__no_name": { "rendered": "AdUnits", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1827,10 +1719,6 @@ ".__no_name": { "rendered": "UrlChannels", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1879,10 +1767,6 @@ ".__no_name": { "rendered": "Alerts", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1980,10 +1864,6 @@ ".__no_name": { "rendered": "Metadata", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2028,10 +1908,6 @@ ".__no_name": { "rendered": "Metadata", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2076,10 +1952,6 @@ ".__no_name": { "rendered": "Payments", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2192,10 +2064,6 @@ ".__no_name": { "rendered": "AdsenseReportsGenerateResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2248,10 +2116,6 @@ ".__no_name": { "rendered": "SavedReports", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2313,10 +2177,6 @@ ".__no_name": { "rendered": "AdsenseReportsGenerateResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2369,10 +2229,6 @@ ".__no_name": { "rendered": "SavedAdStyles", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2422,10 +2278,6 @@ ".__no_name": { "rendered": "SavedAdStyle", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/google-analytics-hub.json b/src/app/generator/test-data/param-generator/golden-files/google-analytics-hub.json index cae16ab..e529145 100644 --- a/src/app/generator/test-data/param-generator/golden-files/google-analytics-hub.json +++ b/src/app/generator/test-data/param-generator/golden-files/google-analytics-hub.json @@ -61,10 +61,6 @@ ".__no_name": { "rendered": "Empty", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -130,10 +126,6 @@ ".__no_name": { "rendered": "Listing", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -212,10 +204,6 @@ ".__no_name": { "rendered": "Listing", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -294,10 +282,6 @@ ".__no_name": { "rendered": "SubscribeListingResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -371,10 +355,6 @@ ".__no_name": { "rendered": "ListOrgDataExchangesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -448,10 +428,6 @@ ".__no_name": { "rendered": "ListDataExchangesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -530,10 +506,6 @@ ".__no_name": { "rendered": "DataExchange", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -607,10 +579,6 @@ ".__no_name": { "rendered": "ListListingsResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -689,10 +657,6 @@ ".__no_name": { "rendered": "Listing", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -771,10 +735,6 @@ ".__no_name": { "rendered": "Policy", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -853,10 +813,6 @@ ".__no_name": { "rendered": "Policy", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -935,10 +891,6 @@ ".__no_name": { "rendered": "TestIamPermissionsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/google-home.json b/src/app/generator/test-data/param-generator/golden-files/google-home.json index e56f0cc..606626b 100644 --- a/src/app/generator/test-data/param-generator/golden-files/google-home.json +++ b/src/app/generator/test-data/param-generator/golden-files/google-home.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -31,10 +27,6 @@ ".__no_name": { "rendered": "Getcurrentvalues", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -46,10 +38,6 @@ ".__no_name": { "rendered": "Example18", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -70,10 +58,6 @@ ".__no_name": { "rendered": "Example19", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -94,10 +78,6 @@ ".__no_name": { "rendered": "Getvolume", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -118,10 +98,6 @@ ".__no_name": { "rendered": "Example13", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -133,10 +109,6 @@ ".__no_name": { "rendered": "Getcurrentstate", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -157,10 +129,6 @@ ".__no_name": { "rendered": "Example17", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -180,11 +148,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -204,11 +168,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -228,11 +188,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -246,11 +202,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example111", "requiresRelaxedTypeAnnotation": false } } @@ -271,11 +223,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -289,11 +237,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example112", "requiresRelaxedTypeAnnotation": false } } @@ -306,10 +250,6 @@ ".__no_name": { "rendered": "Example110", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -323,11 +263,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example113", "requiresRelaxedTypeAnnotation": false } } @@ -381,10 +317,6 @@ ".__no_name": { "rendered": "Example1", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -404,11 +336,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -429,10 +357,6 @@ ".__no_name": { "rendered": "Example11", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -459,10 +383,6 @@ ".__no_name": { "rendered": "Example12", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -482,11 +402,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -500,11 +416,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example114", "requiresRelaxedTypeAnnotation": false } } @@ -516,11 +428,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -540,11 +448,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -558,11 +462,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example15", "requiresRelaxedTypeAnnotation": false } } @@ -577,11 +477,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Example14", "requiresRelaxedTypeAnnotation": false } } @@ -603,10 +499,6 @@ ".__no_name": { "rendered": "Example16", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -626,11 +518,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/here-maps-positioning.json b/src/app/generator/test-data/param-generator/golden-files/here-maps-positioning.json index 3cedcbe..96f602a 100644 --- a/src/app/generator/test-data/param-generator/golden-files/here-maps-positioning.json +++ b/src/app/generator/test-data/param-generator/golden-files/here-maps-positioning.json @@ -7,10 +7,6 @@ ".__no_name": { "rendered": "ApiHealthStatus", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -79,10 +75,6 @@ ".__no_name": { "rendered": "ApiVersion", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/here-maps-tracking.json b/src/app/generator/test-data/param-generator/golden-files/here-maps-tracking.json index e81a256..904b73c 100644 --- a/src/app/generator/test-data/param-generator/golden-files/here-maps-tracking.json +++ b/src/app/generator/test-data/param-generator/golden-files/here-maps-tracking.json @@ -34,12 +34,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseAllAliases", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** A map of key-value pairs where the key is the type of the alias\nand the value is an array of externalIds.\n */\n aliases?: hasuraSdk.JSONValue, trackingId?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -49,15 +45,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -85,15 +77,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Virtual device application ID, only present when the device is virtual\n * @minLength 8\n */\n appId?: string,\n /**\n * Virtual device external ID, only present when the device is virtual\n * @minLength 1\n * @maxLength 50\n */\n externalId?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n}", + "rendered": "{ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.appId": { + "rendered": "\n/** Virtual device application ID, only present when the device is virtual */\n appId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.externalId": { + "rendered": "\n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -104,11 +100,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -174,12 +166,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseAliases", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { \n/** A map of key-value pairs where the key is the type of the alias\nand the value is an array of `externalId`s.\n */\n data?: hasuraSdk.JSONValue, }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -290,12 +278,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseAliases", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { \n/** A map of key-value pairs where the key is the type of the alias\nand the value is an array of `externalId`s.\n */\n data?: hasuraSdk.JSONValue, }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -534,12 +518,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseDevicesAssociatedWithRule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -549,15 +529,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -586,12 +562,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseDevicesAssociatedWithRule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -619,12 +591,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseDevicesAssociatedWithRule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -634,11 +602,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -679,12 +643,8 @@ }, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 100\n * @default 100\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ({\n geofence: ({\n /** An object that defines the area of a circular geofence */\n definition: {\n /** The coordinates of the center point of the circle. */\n center: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * The radius of the circle in meters.\n * @min 0\n */\n radius: number,\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"circle\",\n\n} | {\n /** An object that defines the area of a polygonal geofence. */\n definition: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * An array of points that define the polygon. A minimum of three and a maximum of ten points is required.\n * @maxItems 10\n * @minItems 3\n */\n points: ({\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n})[],\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"polygon\",\n\n} | {\n /** An object that defines the area of a POI geofence. */\n definition?: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /** Details of the geofence location */\n location?: {\n /**\n * Address\n * @minLength 1\n * @maxLength 255\n */\n address?: string,\n /**\n * Country\n * @minLength 1\n * @maxLength 255\n */\n country?: string,\n /** Coordinates for visualization purposes */\n position?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * The room ID\n * @minLength 1\n * @maxLength 100\n */\n room?: string,\n\n},\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n trainingStatus: {\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n /** True if the POI geofence is trained */\n trained: boolean,\n\n},\n /** The geofence type. */\n type: \"poi\",\n\n}),\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n})[],\n\n})", + "rendered": "hasuraSdk.JSONValue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -782,12 +742,8 @@ }, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 100\n * @default 100\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ({\n rule: ({\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Detention event is triggered when the asset has been continuously stationary for longer\n * than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"detention\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Dwelling event is triggered when the asset has been continuously inside a geofence\n * for longer than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"dwelling\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Utilization event is triggered when the asset starts moving\n * indicating that the asset is utilized, and also when the asset stops\n * moving and has been stationary for longer than the threshold duration\n * indicating that the asset is unutilized.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"utilization\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /** The rule type */\n type: \"online\",\n\n}),\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n\n})[],\n\n})", + "rendered": "hasuraSdk.JSONValue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -885,12 +841,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseSensorRulesByJson", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -991,23 +943,39 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * Bulk upload job ID\n * @pattern ^BULK-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n jobId: string,\n /** Status of the bulk upload. */\n status: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",\n /** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Bulk upload job ID */\n jobId?: string, \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", \n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\", })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Bulk upload job ID */\n jobId?: string, \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", \n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Bulk upload job ID */\n jobId?: string, \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", \n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.jobId": { + "rendered": "\n/** Bulk upload job ID */\n jobId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.status": { + "rendered": "\n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.type": { + "rendered": "\n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1040,15 +1008,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Bulk upload job ID\n * @pattern ^BULK-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n jobId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Bulk upload job ID */\n jobId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.jobId": { + "rendered": "\n/** Bulk upload job ID */\n jobId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1086,16 +1050,12 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",\n\n}", + "rendered": "{ \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.status": { + "rendered": "\n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1127,32 +1087,84 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * Identifier of the connector.\n * @minLength 1\n * @maxLength 50\n */\n connectorId?: string,\n /**\n * Device ID of a provisioned device\n * @minLength 1\n * @maxLength 50\n */\n deviceId?: string,\n /** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string,\n errors?: ({\n /** Error code */\n code?: number,\n /** Error details */\n details?: string,\n /** Error description */\n message?: string,\n\n})[],\n /**\n * Identifier of the device on the external cloud.\n * @minLength 1\n * @maxLength 50\n */\n externalDeviceId?: string,\n /**\n * Virtual device external ID, only present when the device is virtual\n * @minLength 1\n * @maxLength 50\n */\n externalId?: string,\n /**\n * The name of the device. Must be unique within a project.\n * @minLength 1\n * @maxLength 50\n */\n name?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /** Status of the bulk upload. */\n status: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",\n /** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Device ID of a provisioned device */\n deviceId?: string, \n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string, errors?: ({ \n/** Error code */\n code?: number, \n/** Error details */\n details?: string, \n/** Error description */\n message?: string, })[], \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** The name of the device. Must be unique within a project. */\n name?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", \n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Device ID of a provisioned device */\n deviceId?: string, \n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string, errors?: ({ \n/** Error code */\n code?: number, \n/** Error details */\n details?: string, \n/** Error description */\n message?: string, })[], \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** The name of the device. Must be unique within a project. */\n name?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Device ID of a provisioned device */\n deviceId?: string, \n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string, errors?: ({ \n/** Error code */\n code?: number, \n/** Error details */\n details?: string, \n/** Error description */\n message?: string, })[], \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** The name of the device. Must be unique within a project. */\n name?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.connectorId": { + "rendered": "\n/** Identifier of the connector. */\n connectorId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.deviceId": { + "rendered": "\n/** Device ID of a provisioned device */\n deviceId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.deviceSecret": { + "rendered": "\n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.errors": { + "rendered": " errors?: ({ \n/** Error code */\n code?: number, \n/** Error details */\n details?: string, \n/** Error description */\n message?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.errors.__no_name": { + "rendered": "{ \n/** Error code */\n code?: number, \n/** Error details */\n details?: string, \n/** Error description */\n message?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.errors.__no_name.code": { + "rendered": "\n/** Error code */\n code?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.errors.__no_name.details": { + "rendered": "\n/** Error details */\n details?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.errors.__no_name.message": { + "rendered": "\n/** Error description */\n message?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.externalDeviceId": { + "rendered": "\n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.externalId": { + "rendered": "\n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** The name of the device. Must be unique within a project. */\n name?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.type": { + "rendered": "\n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1176,16 +1188,44 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** The number of devices for which all planned upload operations failed. */\n failed: number,\n /**\n * The name of the upload file.\n * @minLength 1\n * @maxLength 50\n */\n fileName?: string,\n /** The number of devices for which some upload operations succeeded. */\n partiallySucceeded: number,\n /** The number of devices that are still waiting upload operations to be done. */\n pending: number,\n /**\n * The percentage of the job that was completed at the time of the request.\n * @min 0\n * @max 100\n */\n progress: number,\n /** Status of the bulk upload. */\n status: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",\n /** The number of devices for which all planned upload operations succeeded. */\n succeeded: number,\n /** The total number of devices to be uploaded in this job. */\n total: number,\n /** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",\n\n}", + "rendered": "{ \n/** The number of devices for which all planned upload operations failed. */\n failed?: number, \n/** The name of the upload file. */\n fileName?: string, \n/** The number of devices for which some upload operations succeeded. */\n partiallySucceeded?: number, \n/** The number of devices that are still waiting upload operations to be done. */\n pending?: number, \n/** The percentage of the job that was completed at the time of the request. */\n progress?: number, \n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\", \n/** The number of devices for which all planned upload operations succeeded. */\n succeeded?: number, \n/** The total number of devices to be uploaded in this job. */\n total?: number, \n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.failed": { + "rendered": "\n/** The number of devices for which all planned upload operations failed. */\n failed?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.fileName": { + "rendered": "\n/** The name of the upload file. */\n fileName?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.partiallySucceeded": { + "rendered": "\n/** The number of devices for which some upload operations succeeded. */\n partiallySucceeded?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pending": { + "rendered": "\n/** The number of devices that are still waiting upload operations to be done. */\n pending?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.progress": { + "rendered": "\n/** The percentage of the job that was completed at the time of the request. */\n progress?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** Status of the bulk upload. */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\" | \"cancelled\" | \"acknowledged\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.succeeded": { + "rendered": "\n/** The number of devices for which all planned upload operations succeeded. */\n succeeded?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** The total number of devices to be uploaded in this job. */\n total?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.type": { + "rendered": "\n/** Type of bulk job (either `create` or `delete`) */\n type?: \"create\" | \"delete\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1195,15 +1235,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1214,11 +1250,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1279,19 +1311,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: (({\n /**\n * Identifier of the connector.\n * @minLength 1\n * @maxLength 50\n */\n connectorId?: string,\n /**\n * Project ID.\n * Any HERE Tracking user must be a member of a Tracking project.\n * The project ID can be implicitly resolved if the user calling the API is a member of a single project.\n * If the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n * @minLength 1\n * @maxLength 50\n */\n projectId?: string,\n\n} & {\n /**\n * Brief description of the connector.\n * @maxLength 200\n */\n description?: string,\n /**\n * Identifier of the driver to be used with this connector.\n * @minLength 1\n * @maxLength 50\n */\n driverId: string,\n /**\n * Enabled state of the connector. If set to false then the connector\n * will not execute periodically.\n */\n enabled: boolean,\n /**\n * An external cloud-specific object that the driver will use to login to the\n * external cloud. The structure of this object varies per driver\n * implementation.\n * It is recommended to have dedicated credentials for logging in to\n * the external cloud in order not to violate possible concurrent users\n * policies of the external cloud.\n * In case of the HERE Tracking loopback driver, the maximum\n * allowed concurrent user account tokens is 3 per account,\n * therefore it is recommended to create a separate HERE account\n * and grant it the required privilege to update the connector's\n * project, and use that account in externalCloudInfo.\n */\n externalCloudInfo: hasuraSdk.JSONValue,\n /**\n * Name of the connector.\n * @minLength 1\n * @maxLength 100\n */\n name: string,\n /**\n * This is the interval (in seconds) to execute the sync process\n * between the connector's external cloud and HERE Tracking project.\n * The maximum and at the same time default value for callback-type connectors is 900 seconds.\n * The default value for other type of connectors is 3600 seconds and there is no maximum value set.\n * @min 60\n */\n refreshIntervalS?: number,\n\n} & {\n /**\n * Timestamp of the last connection execution.\n * @maxLength 50\n */\n lastExecTs?: string,\n\n} & {\n /**\n * Number of external devices added to the connector.\n * @min 0\n */\n totalAddedDevices: number,\n\n} & {\n /**\n * Timestamp of the connector creation.\n * @format date-time\n */\n createdAt: string,\n\n}))[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, } & { \n/** Brief description of the connector. */\n description?: string, \n/** Identifier of the driver to be used with this connector. */\n driverId?: string, \n/** Enabled state of the connector. If set to false then the connector\nwill not execute periodically.\n */\n enabled?: boolean, \n/** An external cloud-specific object that the driver will use to login to the\nexternal cloud. The structure of this object varies per driver\nimplementation.\nIt is recommended to have dedicated credentials for logging in to\nthe external cloud in order not to violate possible concurrent users\npolicies of the external cloud.\nIn case of the HERE Tracking loopback driver, the maximum\nallowed concurrent user account tokens is 3 per account,\ntherefore it is recommended to create a separate HERE account\nand grant it the required privilege to update the connector's\nproject, and use that account in externalCloudInfo.\n */\n externalCloudInfo?: hasuraSdk.JSONValue, \n/** Name of the connector. */\n name?: string, \n/** This is the interval (in seconds) to execute the sync process\nbetween the connector's external cloud and HERE Tracking project.\nThe maximum and at the same time default value for callback-type connectors is 900 seconds.\nThe default value for other type of connectors is 3600 seconds and there is no maximum value set.\n */\n refreshIntervalS?: number, } & { \n/** Timestamp of the last connection execution. */\n lastExecTs?: string, } & { \n/** Number of external devices added to the connector. */\n totalAddedDevices?: number, } & { \n/** Timestamp of the connector creation. */\n createdAt?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, } & { \n/** Brief description of the connector. */\n description?: string, \n/** Identifier of the driver to be used with this connector. */\n driverId?: string, \n/** Enabled state of the connector. If set to false then the connector\nwill not execute periodically.\n */\n enabled?: boolean, \n/** An external cloud-specific object that the driver will use to login to the\nexternal cloud. The structure of this object varies per driver\nimplementation.\nIt is recommended to have dedicated credentials for logging in to\nthe external cloud in order not to violate possible concurrent users\npolicies of the external cloud.\nIn case of the HERE Tracking loopback driver, the maximum\nallowed concurrent user account tokens is 3 per account,\ntherefore it is recommended to create a separate HERE account\nand grant it the required privilege to update the connector's\nproject, and use that account in externalCloudInfo.\n */\n externalCloudInfo?: hasuraSdk.JSONValue, \n/** Name of the connector. */\n name?: string, \n/** This is the interval (in seconds) to execute the sync process\nbetween the connector's external cloud and HERE Tracking project.\nThe maximum and at the same time default value for callback-type connectors is 900 seconds.\nThe default value for other type of connectors is 3600 seconds and there is no maximum value set.\n */\n refreshIntervalS?: number, } & { \n/** Timestamp of the last connection execution. */\n lastExecTs?: string, } & { \n/** Number of external devices added to the connector. */\n totalAddedDevices?: number, } & { \n/** Timestamp of the connector creation. */\n createdAt?: string, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, } & { \n/** Brief description of the connector. */\n description?: string, \n/** Identifier of the driver to be used with this connector. */\n driverId?: string, \n/** Enabled state of the connector. If set to false then the connector\nwill not execute periodically.\n */\n enabled?: boolean, \n/** An external cloud-specific object that the driver will use to login to the\nexternal cloud. The structure of this object varies per driver\nimplementation.\nIt is recommended to have dedicated credentials for logging in to\nthe external cloud in order not to violate possible concurrent users\npolicies of the external cloud.\nIn case of the HERE Tracking loopback driver, the maximum\nallowed concurrent user account tokens is 3 per account,\ntherefore it is recommended to create a separate HERE account\nand grant it the required privilege to update the connector's\nproject, and use that account in externalCloudInfo.\n */\n externalCloudInfo?: hasuraSdk.JSONValue, \n/** Name of the connector. */\n name?: string, \n/** This is the interval (in seconds) to execute the sync process\nbetween the connector's external cloud and HERE Tracking project.\nThe maximum and at the same time default value for callback-type connectors is 900 seconds.\nThe default value for other type of connectors is 3600 seconds and there is no maximum value set.\n */\n refreshIntervalS?: number, } & { \n/** Timestamp of the last connection execution. */\n lastExecTs?: string, } & { \n/** Number of external devices added to the connector. */\n totalAddedDevices?: number, } & { \n/** Timestamp of the connector creation. */\n createdAt?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1324,12 +1364,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Data", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1353,23 +1389,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n items: ({\n /**\n * Identifier of the connector.\n * @minLength 1\n * @maxLength 50\n */\n connectorId: string,\n\n})[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, })[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Identifier of the connector. */\n connectorId?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Identifier of the connector. */\n connectorId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.connectorId": { + "rendered": "\n/** Identifier of the connector. */\n connectorId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1414,12 +1446,8 @@ }, "response": { ".__no_name": { - "rendered": "CompleteConnectorInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Identifier of the connector. */\n connectorId?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, } & { \n/** Brief description of the connector. */\n description?: string, \n/** Identifier of the driver to be used with this connector. */\n driverId?: string, \n/** Enabled state of the connector. If set to false then the connector\nwill not execute periodically.\n */\n enabled?: boolean, \n/** An external cloud-specific object that the driver will use to login to the\nexternal cloud. The structure of this object varies per driver\nimplementation.\nIt is recommended to have dedicated credentials for logging in to\nthe external cloud in order not to violate possible concurrent users\npolicies of the external cloud.\nIn case of the HERE Tracking loopback driver, the maximum\nallowed concurrent user account tokens is 3 per account,\ntherefore it is recommended to create a separate HERE account\nand grant it the required privilege to update the connector's\nproject, and use that account in externalCloudInfo.\n */\n externalCloudInfo?: hasuraSdk.JSONValue, \n/** Name of the connector. */\n name?: string, \n/** This is the interval (in seconds) to execute the sync process\nbetween the connector's external cloud and HERE Tracking project.\nThe maximum and at the same time default value for callback-type connectors is 900 seconds.\nThe default value for other type of connectors is 3600 seconds and there is no maximum value set.\n */\n refreshIntervalS?: number, } & { \n/** Timestamp of the last connection execution. */\n lastExecTs?: string, } & { \n/** Number of external devices added to the connector. */\n totalAddedDevices?: number, } & { \n/** Timestamp of the connector creation. */\n createdAt?: string, }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1447,12 +1475,8 @@ }, "response": { ".__no_name": { - "rendered": "Data", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1480,23 +1504,51 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /** Indicates if C2C should pull data for this device from external cloud at connector execution time. */\n enabled: boolean,\n /**\n * Identifier of the device on the external cloud.\n * @minLength 1\n * @maxLength 50\n */\n externalDeviceId: string,\n /** Other extra information related to the external device or shipment ID. */\n externalDeviceInfo?: hasuraSdk.JSONValue,\n /**\n * Extra information regarding the device's provisioning status at HERE Tracking Cloud.\n * It also contains an error object if the device failed provisioning.\n */\n info?: hasuraSdk.JSONValue,\n /**\n * Device id in TC. Either trackingId or shipmentId.\n * @minLength 1\n * @maxLength 50\n */\n localDeviceId?: string,\n /**\n * Current device status from HERE Tracking Cloud's perspective.\n * \"provisioning\": The device is currently being provisioned at HERE Tracking Cloud. Its data still cannot be mirrored when at this state.\n * \"provisioned\": The device has been provisioned successfully at HERE Tracking Cloud. Its data can be mirrored when at this state.\n * \"failed\": The device has failed provisioning at HERE Tracking Cloud. Its data cannot be mirrored when at this state.\n */\n provisioning: \"provisioning\" | \"provisioned\" | \"failed\",\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Indicates if C2C should pull data for this device from external cloud at connector execution time. */\n enabled?: boolean, \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Other extra information related to the external device or shipment ID. */\n externalDeviceInfo?: hasuraSdk.JSONValue, \n/** Extra information regarding the device's provisioning status at HERE Tracking Cloud.\nIt also contains an error object if the device failed provisioning.\n */\n info?: hasuraSdk.JSONValue, \n/** Device id in TC. Either trackingId or shipmentId. */\n localDeviceId?: string, \n/** Current device status from HERE Tracking Cloud's perspective.\n\"provisioning\": The device is currently being provisioned at HERE Tracking Cloud. Its data still cannot be mirrored when at this state.\n\"provisioned\": The device has been provisioned successfully at HERE Tracking Cloud. Its data can be mirrored when at this state.\n\"failed\": The device has failed provisioning at HERE Tracking Cloud. Its data cannot be mirrored when at this state.\n */\n provisioning?: \"provisioning\" | \"provisioned\" | \"failed\", })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Indicates if C2C should pull data for this device from external cloud at connector execution time. */\n enabled?: boolean, \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Other extra information related to the external device or shipment ID. */\n externalDeviceInfo?: hasuraSdk.JSONValue, \n/** Extra information regarding the device's provisioning status at HERE Tracking Cloud.\nIt also contains an error object if the device failed provisioning.\n */\n info?: hasuraSdk.JSONValue, \n/** Device id in TC. Either trackingId or shipmentId. */\n localDeviceId?: string, \n/** Current device status from HERE Tracking Cloud's perspective.\n\"provisioning\": The device is currently being provisioned at HERE Tracking Cloud. Its data still cannot be mirrored when at this state.\n\"provisioned\": The device has been provisioned successfully at HERE Tracking Cloud. Its data can be mirrored when at this state.\n\"failed\": The device has failed provisioning at HERE Tracking Cloud. Its data cannot be mirrored when at this state.\n */\n provisioning?: \"provisioning\" | \"provisioned\" | \"failed\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Indicates if C2C should pull data for this device from external cloud at connector execution time. */\n enabled?: boolean, \n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string, \n/** Other extra information related to the external device or shipment ID. */\n externalDeviceInfo?: hasuraSdk.JSONValue, \n/** Extra information regarding the device's provisioning status at HERE Tracking Cloud.\nIt also contains an error object if the device failed provisioning.\n */\n info?: hasuraSdk.JSONValue, \n/** Device id in TC. Either trackingId or shipmentId. */\n localDeviceId?: string, \n/** Current device status from HERE Tracking Cloud's perspective.\n\"provisioning\": The device is currently being provisioned at HERE Tracking Cloud. Its data still cannot be mirrored when at this state.\n\"provisioned\": The device has been provisioned successfully at HERE Tracking Cloud. Its data can be mirrored when at this state.\n\"failed\": The device has failed provisioning at HERE Tracking Cloud. Its data cannot be mirrored when at this state.\n */\n provisioning?: \"provisioning\" | \"provisioned\" | \"failed\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.enabled": { + "rendered": "\n/** Indicates if C2C should pull data for this device from external cloud at connector execution time. */\n enabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.externalDeviceId": { + "rendered": "\n/** Identifier of the device on the external cloud. */\n externalDeviceId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.externalDeviceInfo": { + "rendered": "\n/** Other extra information related to the external device or shipment ID. */\n externalDeviceInfo?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.info": { + "rendered": "\n/** Extra information regarding the device's provisioning status at HERE Tracking Cloud.\nIt also contains an error object if the device failed provisioning.\n */\n info?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.localDeviceId": { + "rendered": "\n/** Device id in TC. Either trackingId or shipmentId. */\n localDeviceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.provisioning": { + "rendered": "\n/** Current device status from HERE Tracking Cloud's perspective.\n\"provisioning\": The device is currently being provisioned at HERE Tracking Cloud. Its data still cannot be mirrored when at this state.\n\"provisioned\": The device has been provisioned successfully at HERE Tracking Cloud. Its data can be mirrored when at this state.\n\"failed\": The device has failed provisioning at HERE Tracking Cloud. Its data cannot be mirrored when at this state.\n */\n provisioning?: \"provisioning\" | \"provisioned\" | \"failed\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1618,50 +1670,102 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /** If true, it indicates that this one is a self-provisioning callback driver. */\n autoProvisionCallbackDevices?: boolean,\n /**\n * Identifier of the driver.\n * @minLength 1\n * @maxLength 50\n */\n driverId: string,\n /** Driver synchronization method */\n driverSyncMethod: \"push\" | \"pull\" | \"none\",\n /** Driver type. */\n driverType: \"tracker-device\" | \"transporter\" | \"internal\",\n externalCloudInfoSchema: ({\n /** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean,\n /**\n * Key of external cloud info parameter.\n * @maxLength 100\n */\n key: string,\n /** Label of external cloud info parameter. */\n label: string,\n\n})[],\n /** Name/description of the external cloud that the driver represents. */\n provider: string,\n strategy: {\n /**\n * Identifier of the manager.\n * @minLength 1\n * @maxLength 50\n */\n managerId?: string,\n /** A strategy name */\n name?: string,\n\n},\n /** Version number of the driver. */\n version: number,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** If true, it indicates that this one is a self-provisioning callback driver. */\n autoProvisionCallbackDevices?: boolean, \n/** Identifier of the driver. */\n driverId?: string, \n/** Driver synchronization method */\n driverSyncMethod?: \"push\" | \"pull\" | \"none\", \n/** Driver type. */\n driverType?: \"tracker-device\" | \"transporter\" | \"internal\", externalCloudInfoSchema?: ({ \n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean, \n/** Key of external cloud info parameter. */\n key?: string, \n/** Label of external cloud info parameter. */\n label?: string, })[], \n/** Name/description of the external cloud that the driver represents.\n */\n provider?: string, strategy?: { \n/** Identifier of the manager. */\n managerId?: string, \n/** A strategy name */\n name?: string, }, \n/** Version number of the driver. */\n version?: number, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** If true, it indicates that this one is a self-provisioning callback driver. */\n autoProvisionCallbackDevices?: boolean, \n/** Identifier of the driver. */\n driverId?: string, \n/** Driver synchronization method */\n driverSyncMethod?: \"push\" | \"pull\" | \"none\", \n/** Driver type. */\n driverType?: \"tracker-device\" | \"transporter\" | \"internal\", externalCloudInfoSchema?: ({ \n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean, \n/** Key of external cloud info parameter. */\n key?: string, \n/** Label of external cloud info parameter. */\n label?: string, })[], \n/** Name/description of the external cloud that the driver represents.\n */\n provider?: string, strategy?: { \n/** Identifier of the manager. */\n managerId?: string, \n/** A strategy name */\n name?: string, }, \n/** Version number of the driver. */\n version?: number, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** If true, it indicates that this one is a self-provisioning callback driver. */\n autoProvisionCallbackDevices?: boolean, \n/** Identifier of the driver. */\n driverId?: string, \n/** Driver synchronization method */\n driverSyncMethod?: \"push\" | \"pull\" | \"none\", \n/** Driver type. */\n driverType?: \"tracker-device\" | \"transporter\" | \"internal\", externalCloudInfoSchema?: ({ \n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean, \n/** Key of external cloud info parameter. */\n key?: string, \n/** Label of external cloud info parameter. */\n label?: string, })[], \n/** Name/description of the external cloud that the driver represents.\n */\n provider?: string, strategy?: { \n/** Identifier of the manager. */\n managerId?: string, \n/** A strategy name */\n name?: string, }, \n/** Version number of the driver. */\n version?: number, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.autoProvisionCallbackDevices": { + "rendered": "\n/** If true, it indicates that this one is a self-provisioning callback driver. */\n autoProvisionCallbackDevices?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.driverId": { + "rendered": "\n/** Identifier of the driver. */\n driverId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.driverSyncMethod": { + "rendered": "\n/** Driver synchronization method */\n driverSyncMethod?: \"push\" | \"pull\" | \"none\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.driverType": { + "rendered": "\n/** Driver type. */\n driverType?: \"tracker-device\" | \"transporter\" | \"internal\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.externalCloudInfoSchema": { + "rendered": " externalCloudInfoSchema?: ({ \n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean, \n/** Key of external cloud info parameter. */\n key?: string, \n/** Label of external cloud info parameter. */\n label?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.externalCloudInfoSchema.__no_name": { + "rendered": "{ \n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean, \n/** Key of external cloud info parameter. */\n key?: string, \n/** Label of external cloud info parameter. */\n label?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.externalCloudInfoSchema.__no_name.hidden": { + "rendered": "\n/** Indicates whether cloud info parameter is hidden. */\n hidden?: boolean,", "requiresRelaxedTypeAnnotation": false - } - } - }, - "post__/c2c/v4/drivers/{driverId}/verify": { - "query": {}, - "body": { - ".data": { - "rendered": "\n/** Request body */\n data: Data,", + }, + ".__no_name.items.__no_name.externalCloudInfoSchema.__no_name.key": { + "rendered": "\n/** Key of external cloud info parameter. */\n key?: string,", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.externalCloudInfoSchema.__no_name.label": { + "rendered": "\n/** Label of external cloud info parameter. */\n label?: string,", "requiresRelaxedTypeAnnotation": false - } - }, - "path": { - ".driverId": { - "rendered": "\n/** Identifier of the driver. */\n driverId: string,", + }, + ".__no_name.items.__no_name.provider": { + "rendered": "\n/** Name/description of the external cloud that the driver represents.\n */\n provider?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.strategy": { + "rendered": " strategy?: { \n/** Identifier of the manager. */\n managerId?: string, \n/** A strategy name */\n name?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.strategy.managerId": { + "rendered": "\n/** Identifier of the manager. */\n managerId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.strategy.name": { + "rendered": "\n/** A strategy name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.version": { + "rendered": "\n/** Version number of the driver. */\n version?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "post__/c2c/v4/drivers/{driverId}/verify": { + "query": {}, + "body": { + ".data": { + "rendered": "\n/** Request body */\n data: Data,", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + } + }, + "path": { + ".driverId": { + "rendered": "\n/** Identifier of the driver. */\n driverId: string,", "requiresRelaxedTypeAnnotation": false } }, @@ -1682,15 +1786,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1701,11 +1801,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1716,15 +1812,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1735,11 +1827,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -1772,12 +1860,8 @@ }, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 100\n * @default 100\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ({\n geofence: ({\n /** An object that defines the area of a circular geofence */\n definition: {\n /** The coordinates of the center point of the circle. */\n center: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * The radius of the circle in meters.\n * @min 0\n */\n radius: number,\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"circle\",\n\n} | {\n /** An object that defines the area of a polygonal geofence. */\n definition: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * An array of points that define the polygon. A minimum of three and a maximum of ten points is required.\n * @maxItems 10\n * @minItems 3\n */\n points: ({\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n})[],\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"polygon\",\n\n} | {\n /** An object that defines the area of a POI geofence. */\n definition?: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /** Details of the geofence location */\n location?: {\n /**\n * Address\n * @minLength 1\n * @maxLength 255\n */\n address?: string,\n /**\n * Country\n * @minLength 1\n * @maxLength 255\n */\n country?: string,\n /** Coordinates for visualization purposes */\n position?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * The room ID\n * @minLength 1\n * @maxLength 100\n */\n room?: string,\n\n},\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n trainingStatus: {\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n /** True if the POI geofence is trained */\n trained: boolean,\n\n},\n /** The geofence type. */\n type: \"poi\",\n\n}),\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n})[],\n\n})", + "rendered": "hasuraSdk.JSONValue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1832,12 +1916,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 1000\n * @default 1000\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ((({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source rule type. */\n eventSource: \"attach\" | \"tamper\" | \"online\",\n eventType: \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source rule type. */\n eventSource: \"battery\" | \"humidity\" | \"pressure\" | \"temperature\",\n eventType: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: acceleration rule */\n eventSource: \"acceleration\",\n eventType: \"EVENT\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: geofence rule */\n eventSource: \"geofence\",\n eventType: \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\",\n\n}) | ({\n /** The event source: stock rule */\n eventSource: \"stock\",\n /**\n * The \"OVERSTOCK\" type - Events are triggered when the number of assets\n * is over a maximum stock volume.\n * \n * The \"UNDERSTOCK\" type - Events are triggered when the number of assets\n * is under a minimum stock volume.\n * \n * The \"NORMAL_VOLUME\" type - Events are triggered when the number of assets\n * is between the minimum stock volume and the maximum stock volume.\n */\n eventType: \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\",\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n\n} & {\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: dwelling rule */\n eventSource: \"dwelling\",\n eventType: \"DWELLING_STARTED\" | \"DWELLING_ENDED\",\n /**\n * An ID of a geofence that triggered the dwelling event\n * @format uuid\n */\n geofenceId: string,\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: detention rule */\n eventSource: \"detention\",\n eventType: \"DETENTION_STARTED\" | \"DETENTION_ENDED\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: utilization rule */\n eventSource: \"utilization\",\n eventType: \"UTILIZED\" | \"UNUTILIZED\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n eventSource: \"shipmentSchedule\",\n eventType: \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * An ID of the segment where the schedule deviation was detected\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId: string,\n /** Status of the segment. */\n segmentStatus: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n\n})))[],\n\n})", + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ( | | | | { \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, } | | | | { eventSource?: \"shipmentSchedule\", eventType?: \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** An ID of the segment where the schedule deviation was detected\n */\n segmentId?: string, \n/** Status of the segment. */\n segmentStatus?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", })[], }", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1847,15 +1927,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1919,12 +1995,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "StatusResponseJson", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ( | | | | | | | { \n/** The event source: stock rule\n */\n eventSource?: \"stock\", \n/** The \"OVERSTOCK\" type - Events are triggered when the number of assets\nis over a maximum stock volume.\n\nThe \"UNDERSTOCK\" type - Events are triggered when the number of assets\nis under a minimum stock volume.\n\nThe \"NORMAL_VOLUME\" type - Events are triggered when the number of assets\nis between the minimum stock volume and the maximum stock volume.\n */\n eventType?: \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\", \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC. */\n timestamp?: number, } | { eventSource?: \"shipmentSchedule\", eventType?: \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** An ID of the segment where the schedule deviation was detected\n */\n segmentId?: string, \n/** Status of the segment. */\n segmentStatus?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1979,12 +2051,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "DeviceCountsResponseJson", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Number of devices currently in this event state.\n */\n FALSE_TO_TRUE?: number, \n/** Number of devices currently in this event state.\n */\n TRUE_TO_FALSE?: number, eventSource?: \"attach\" | \"tamper\" | \"online\", } | { \n/** Number of devices currently in this event state.\n */\n ABOVE_RANGE?: number, \n/** Number of devices currently in this event state.\n */\n BELOW_RANGE?: number, \n/** Number of devices currently in this event state.\n */\n IN_RANGE?: number, eventSource?: \"battery\" | \"humidity\" | \"pressure\" | \"temperature\", } | { \n/** Number of devices currently in this event state.\n */\n EVENT?: number, eventSource?: \"acceleration\", } | { \n/** Number of devices currently in this event state.\n */\n INSIDE_GEOFENCE?: number, \n/** Number of devices currently in this event state.\n */\n OUTSIDE_GEOFENCE?: number, eventSource?: \"geofence\", } | { \n/** Number of devices currently in this event state.\n */\n DWELLING_ENDED?: number, \n/** Number of devices currently in this event state.\n */\n DWELLING_STARTED?: number, eventSource?: \"dwelling\", } | { \n/** Number of devices currently in this event state.\n */\n DETENTION_ENDED?: number, \n/** Number of devices currently in this event state.\n */\n DETENTION_STARTED?: number, eventSource?: \"detention\", } | { \n/** Number of devices currently in this event state.\n */\n UNUTILIZED?: number, \n/** Number of devices currently in this event state.\n */\n UTILIZED?: number, eventSource?: \"utilization\", } | { \n/** Number of devices currently in this event state.\n */\n SHIPMENT_DELAYED?: number, \n/** Number of devices currently in this event state.\n */\n SHIPMENT_EARLY?: number, \n/** Number of devices currently in this event state.\n */\n SHIPMENT_ON_TIME?: number, eventSource?: \"shipmentSchedule\", })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1994,11 +2062,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2055,12 +2119,8 @@ }, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 1000\n * @default 1000\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ((({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source rule type. */\n eventSource: \"attach\" | \"tamper\" | \"online\",\n eventType: \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source rule type. */\n eventSource: \"battery\" | \"humidity\" | \"pressure\" | \"temperature\",\n eventType: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: acceleration rule */\n eventSource: \"acceleration\",\n eventType: \"EVENT\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: geofence rule */\n eventSource: \"geofence\",\n eventType: \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\",\n\n}) | ({\n /** The event source: stock rule */\n eventSource: \"stock\",\n /**\n * The \"OVERSTOCK\" type - Events are triggered when the number of assets\n * is over a maximum stock volume.\n * \n * The \"UNDERSTOCK\" type - Events are triggered when the number of assets\n * is under a minimum stock volume.\n * \n * The \"NORMAL_VOLUME\" type - Events are triggered when the number of assets\n * is between the minimum stock volume and the maximum stock volume.\n */\n eventType: \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\",\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n\n} & {\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: dwelling rule */\n eventSource: \"dwelling\",\n eventType: \"DWELLING_STARTED\" | \"DWELLING_ENDED\",\n /**\n * An ID of a geofence that triggered the dwelling event\n * @format uuid\n */\n geofenceId: string,\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: detention rule */\n eventSource: \"detention\",\n eventType: \"DETENTION_STARTED\" | \"DETENTION_ENDED\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n /** The event source: utilization rule */\n eventSource: \"utilization\",\n eventType: \"UTILIZED\" | \"UNUTILIZED\",\n\n}) | ({\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n} & {\n eventSource: \"shipmentSchedule\",\n eventType: \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * An ID of the segment where the schedule deviation was detected\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId: string,\n /** Status of the segment. */\n segmentStatus: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n\n})))[],\n\n})", + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ( | | | | { \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, } | | | | { eventSource?: \"shipmentSchedule\", eventType?: \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** An ID of the segment where the schedule deviation was detected\n */\n segmentId?: string, \n/** Status of the segment. */\n segmentStatus?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", })[], }", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2070,15 +2130,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2089,11 +2145,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2122,12 +2174,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseDevicesAssociatedWithRule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2272,12 +2320,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "({\n /**\n * The number of items in the response.\n * @min 0\n * @max 100\n * @default 100\n */\n count?: number,\n /** A token that can be used to retrieve the next page of the response. */\n pageToken?: string,\n\n} & {\n data?: ({\n geofence: ({\n /** An object that defines the area of a circular geofence */\n definition: {\n /** The coordinates of the center point of the circle. */\n center: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * The radius of the circle in meters.\n * @min 0\n */\n radius: number,\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"circle\",\n\n} | {\n /** An object that defines the area of a polygonal geofence. */\n definition: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * An array of points that define the polygon. A minimum of three and a maximum of ten points is required.\n * @maxItems 10\n * @minItems 3\n */\n points: ({\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n})[],\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"polygon\",\n\n} | {\n /** An object that defines the area of a POI geofence. */\n definition?: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /** Details of the geofence location */\n location?: {\n /**\n * Address\n * @minLength 1\n * @maxLength 255\n */\n address?: string,\n /**\n * Country\n * @minLength 1\n * @maxLength 255\n */\n country?: string,\n /** Coordinates for visualization purposes */\n position?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * The room ID\n * @minLength 1\n * @maxLength 100\n */\n room?: string,\n\n},\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n trainingStatus: {\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n /** True if the POI geofence is trained */\n trained: boolean,\n\n},\n /** The geofence type. */\n type: \"poi\",\n\n}),\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n})[],\n\n})", + "rendered": "hasuraSdk.JSONValue", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2305,15 +2349,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n message?: string,\n\n}", + "rendered": "{ \n/** Geofence ID */\n id?: string, message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Geofence ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2324,15 +2368,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2352,23 +2392,43 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n reason?: string,\n success: boolean,\n\n}", + "rendered": "{ metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, }, reason?: string, success?: boolean, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.metadata": { + "rendered": " metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.metadata.coordinate": { + "rendered": "\n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.metadata.coordinate.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.metadata.coordinate.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.metadata.timestamp": { + "rendered": "\n/** Training data timestamp */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.metadata.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.metadata.usedWlanApCount": { + "rendered": "\n/** The number of WLAN access point used in training */\n usedWlanApCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reason": { + "rendered": " reason?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.success": { + "rendered": " success?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -2379,11 +2439,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2432,15 +2488,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n geofence: ({\n /** An object that defines the area of a circular geofence */\n definition: {\n /** The coordinates of the center point of the circle. */\n center: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * The radius of the circle in meters.\n * @min 0\n */\n radius: number,\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"circle\",\n\n} | {\n /** An object that defines the area of a polygonal geofence. */\n definition: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * An array of points that define the polygon. A minimum of three and a maximum of ten points is required.\n * @maxItems 10\n * @minItems 3\n */\n points: ({\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n})[],\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"polygon\",\n\n} | {\n /** An object that defines the area of a POI geofence. */\n definition?: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /** Details of the geofence location */\n location?: {\n /**\n * Address\n * @minLength 1\n * @maxLength 255\n */\n address?: string,\n /**\n * Country\n * @minLength 1\n * @maxLength 255\n */\n country?: string,\n /** Coordinates for visualization purposes */\n position?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * The room ID\n * @minLength 1\n * @maxLength 100\n */\n room?: string,\n\n},\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n trainingStatus: {\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n /** True if the POI geofence is trained */\n trained: boolean,\n\n},\n /** The geofence type. */\n type: \"poi\",\n\n}),\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n}", + "rendered": "{ geofence?: { \n/** An object that defines the area of a circular geofence */\n definition: { \n/** The coordinates of the center point of the circle. */\n center: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** The radius of the circle in meters. */\n radius?: number, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"circle\", } | { \n/** An object that defines the area of a polygonal geofence. */\n definition: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** An array of points that define the polygon. A minimum of three and a maximum of ten points is required. */\n points?: ({ \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, })[], }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"polygon\", } | { \n/** An object that defines the area of a POI geofence. */\n definition?: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** Details of the geofence location */\n location?: { \n/** Address */\n address?: string, \n/** Country */\n country?: string, \n/** Coordinates for visualization purposes */\n position: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The room ID */\n room?: string, }, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, trainingStatus: { metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, }, \n/** True if the POI geofence is trained */\n trained?: boolean, }, \n/** The geofence type. */\n type?: \"poi\", }, \n/** Geofence ID */\n id?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.geofence": { + "rendered": " geofence?: { \n/** An object that defines the area of a circular geofence */\n definition: { \n/** The coordinates of the center point of the circle. */\n center: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** The radius of the circle in meters. */\n radius?: number, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"circle\", } | { \n/** An object that defines the area of a polygonal geofence. */\n definition: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** An array of points that define the polygon. A minimum of three and a maximum of ten points is required. */\n points?: ({ \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, })[], }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"polygon\", } | { \n/** An object that defines the area of a POI geofence. */\n definition?: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** Details of the geofence location */\n location?: { \n/** Address */\n address?: string, \n/** Country */\n country?: string, \n/** Coordinates for visualization purposes */\n position: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The room ID */\n room?: string, }, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, trainingStatus: { metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, }, \n/** True if the POI geofence is trained */\n trained?: boolean, }, \n/** The geofence type. */\n type?: \"poi\", },", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Geofence ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2465,15 +2521,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n geofence: ({\n /** An object that defines the area of a circular geofence */\n definition: {\n /** The coordinates of the center point of the circle. */\n center: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * The radius of the circle in meters.\n * @min 0\n */\n radius: number,\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"circle\",\n\n} | {\n /** An object that defines the area of a polygonal geofence. */\n definition: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /**\n * An array of points that define the polygon. A minimum of three and a maximum of ten points is required.\n * @maxItems 10\n * @minItems 3\n */\n points: ({\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n})[],\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"polygon\",\n\n} | {\n /** An object that defines the area of a POI geofence. */\n definition?: {\n /** The building associated with the geofence */\n floor?: {\n /**\n * The building ID\n * @minLength 1\n * @maxLength 100\n */\n id: string,\n /**\n * The floor of the geofence in integer format\n * @min -999\n * @max 999\n */\n level?: number,\n /**\n * The building name\n * @minLength 1\n * @maxLength 255\n */\n name: string,\n\n},\n /** Details of the geofence location */\n location?: {\n /**\n * Address\n * @minLength 1\n * @maxLength 255\n */\n address?: string,\n /**\n * Country\n * @minLength 1\n * @maxLength 255\n */\n country?: string,\n /** Coordinates for visualization purposes */\n position?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * The room ID\n * @minLength 1\n * @maxLength 100\n */\n room?: string,\n\n},\n\n},\n /**\n * A description of the area that the geofence encloses and the purpose of the geofence.\n * @maxLength 1000\n */\n description?: string,\n /**\n * A human-readable name of the geofence.\n * @maxLength 50\n */\n name?: string,\n /** The geofence type. */\n type: \"poi\",\n\n}),\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n}", + "rendered": "{ geofence?: { \n/** An object that defines the area of a circular geofence */\n definition: { \n/** The coordinates of the center point of the circle. */\n center: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** The radius of the circle in meters. */\n radius?: number, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"circle\", } | { \n/** An object that defines the area of a polygonal geofence. */\n definition: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** An array of points that define the polygon. A minimum of three and a maximum of ten points is required. */\n points?: ({ \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, })[], }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"polygon\", } | { \n/** An object that defines the area of a POI geofence. */\n definition?: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** Details of the geofence location */\n location?: { \n/** Address */\n address?: string, \n/** Country */\n country?: string, \n/** Coordinates for visualization purposes */\n position: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The room ID */\n room?: string, }, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"poi\", }, \n/** Geofence ID */\n id?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.geofence": { + "rendered": " geofence?: { \n/** An object that defines the area of a circular geofence */\n definition: { \n/** The coordinates of the center point of the circle. */\n center: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** The radius of the circle in meters. */\n radius?: number, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"circle\", } | { \n/** An object that defines the area of a polygonal geofence. */\n definition: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** An array of points that define the polygon. A minimum of three and a maximum of ten points is required. */\n points?: ({ \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, })[], }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"polygon\", } | { \n/** An object that defines the area of a POI geofence. */\n definition?: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** Details of the geofence location */\n location?: { \n/** Address */\n address?: string, \n/** Country */\n country?: string, \n/** Coordinates for visualization purposes */\n position: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The room ID */\n room?: string, }, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"poi\", },", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Geofence ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2498,27 +2554,43 @@ }, "response": { ".__no_name": { - "rendered": "{\n trainingStatus: {\n metadata?: {\n /** Training data position */\n coordinate?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Training data timestamp\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** The number of WLAN access point used in training */\n usedWlanApCount: number,\n\n},\n /** True if the POI geofence is trained */\n trained: boolean,\n\n},\n\n}", + "rendered": "{ trainingStatus: { metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, }, \n/** True if the POI geofence is trained */\n trained?: boolean, }, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trainingStatus": { + "rendered": " trainingStatus: { metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, }, \n/** True if the POI geofence is trained */\n trained?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trainingStatus.metadata": { + "rendered": " metadata: { \n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Training data timestamp */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** The number of WLAN access point used in training */\n usedWlanApCount?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trainingStatus.metadata.coordinate": { + "rendered": "\n/** Training data position */\n coordinate: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trainingStatus.metadata.coordinate.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trainingStatus.metadata.coordinate.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trainingStatus.metadata.timestamp": { + "rendered": "\n/** Training data timestamp */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trainingStatus.metadata.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trainingStatus.metadata.usedWlanApCount": { + "rendered": "\n/** The number of WLAN access point used in training */\n usedWlanApCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trainingStatus.trained": { + "rendered": "\n/** True if the POI geofence is trained */\n trained?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -2529,15 +2601,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2548,11 +2616,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -2597,23 +2661,39 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,\n /**\n * The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n * @minLength 1\n * @maxLength 50\n */\n resourceId: string,\n /** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.labels": { + "rendered": "\n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.resourceId": { + "rendered": "\n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.resourceType": { + "rendered": "\n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2638,19 +2718,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n keys: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ keys?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.keys": { + "rendered": " keys?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.keys.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -2679,19 +2755,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n values: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ values?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.values": { + "rendered": " values?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.values.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -2761,16 +2833,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,\n /**\n * The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n * @minLength 1\n * @maxLength 50\n */\n resourceId: string,\n /** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",\n\n}", + "rendered": "{ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.labels": { + "rendered": "\n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resourceId": { + "rendered": "\n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.resourceType": { + "rendered": "\n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2811,16 +2887,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,\n /**\n * The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n * @minLength 1\n * @maxLength 50\n */\n resourceId: string,\n /** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",\n\n}", + "rendered": "{ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.labels": { + "rendered": "\n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resourceId": { + "rendered": "\n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.resourceType": { + "rendered": "\n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2934,16 +3014,20 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,\n /**\n * The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n * @minLength 1\n * @maxLength 50\n */\n resourceId: string,\n /** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",\n\n}", + "rendered": "{ \n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue, \n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string, \n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.labels": { + "rendered": "\n/** An object containing label key-value pairs. */\n labels?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resourceId": { + "rendered": "\n/** The resource ID, for example `trackingId`, `externalId`, `geofenceId`, etc.\n */\n resourceId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.resourceType": { + "rendered": "\n/** The resource type, for example \"device\", \"geofence\". */\n resourceType?: \"device\" | \"geofence\" | \"location\" | \"rule\" | \"sensorRule\" | \"shipment\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2966,15 +3050,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Large data object identifier\n * @pattern ^DATA-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n dataId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Large data object identifier */\n dataId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.dataId": { + "rendered": "\n/** Large data object identifier */\n dataId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3003,23 +3083,63 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * Time when data upload was completed\n * @format date-time\n */\n completedAt?: string,\n /**\n * Time when data upload was created\n * @format date-time\n */\n createdAt: string,\n /**\n * Large data object identifier\n * @pattern ^DATA-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n dataId: string,\n /**\n * Large data object description\n * @minLength 1\n * @maxLength 1000\n */\n description?: string,\n /**\n * Large data object name\n * @minLength 1\n * @maxLength 50\n */\n name?: string,\n /**\n * Number of parts\n * @minLength 1\n * @maxLength 10000\n */\n numberOfParts: number,\n /**\n * Total size of the data in bytes\n * @min 0\n */\n size?: number,\n /** State of the data upload */\n status: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\",\n /**\n * ID of the device that produced this data\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Time when data upload was completed */\n completedAt?: string, \n/** Time when data upload was created */\n createdAt?: string, \n/** Large data object identifier */\n dataId?: string, \n/** Large data object description */\n description?: string, \n/** Large data object name */\n name?: string, \n/** Number of parts */\n numberOfParts?: number, \n/** Total size of the data in bytes */\n size?: number, \n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\", \n/** ID of the device that produced this data */\n trackingId?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Time when data upload was completed */\n completedAt?: string, \n/** Time when data upload was created */\n createdAt?: string, \n/** Large data object identifier */\n dataId?: string, \n/** Large data object description */\n description?: string, \n/** Large data object name */\n name?: string, \n/** Number of parts */\n numberOfParts?: number, \n/** Total size of the data in bytes */\n size?: number, \n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\", \n/** ID of the device that produced this data */\n trackingId?: string, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Time when data upload was completed */\n completedAt?: string, \n/** Time when data upload was created */\n createdAt?: string, \n/** Large data object identifier */\n dataId?: string, \n/** Large data object description */\n description?: string, \n/** Large data object name */\n name?: string, \n/** Number of parts */\n numberOfParts?: number, \n/** Total size of the data in bytes */\n size?: number, \n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\", \n/** ID of the device that produced this data */\n trackingId?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.completedAt": { + "rendered": "\n/** Time when data upload was completed */\n completedAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.createdAt": { + "rendered": "\n/** Time when data upload was created */\n createdAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.dataId": { + "rendered": "\n/** Large data object identifier */\n dataId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.description": { + "rendered": "\n/** Large data object description */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** Large data object name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.numberOfParts": { + "rendered": "\n/** Number of parts */\n numberOfParts?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.size": { + "rendered": "\n/** Total size of the data in bytes */\n size?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.status": { + "rendered": "\n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.trackingId": { + "rendered": "\n/** ID of the device that produced this data */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3030,15 +3150,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3049,11 +3165,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3151,15 +3263,43 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Time when data upload was completed\n * @format date-time\n */\n completedAt?: string,\n /**\n * Time when data upload was created\n * @format date-time\n */\n createdAt: string,\n /**\n * Large data object identifier\n * @pattern ^DATA-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n dataId: string,\n /**\n * Large data object description\n * @minLength 1\n * @maxLength 1000\n */\n description?: string,\n /**\n * Large data object name\n * @minLength 1\n * @maxLength 50\n */\n name?: string,\n /**\n * Number of parts\n * @minLength 1\n * @maxLength 10000\n */\n numberOfParts: number,\n /**\n * Total size of the data in bytes\n * @min 0\n */\n size?: number,\n /** State of the data upload */\n status: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\",\n /**\n * ID of the device that produced this data\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n}", + "rendered": "{ \n/** Time when data upload was completed */\n completedAt?: string, \n/** Time when data upload was created */\n createdAt?: string, \n/** Large data object identifier */\n dataId?: string, \n/** Large data object description */\n description?: string, \n/** Large data object name */\n name?: string, \n/** Number of parts */\n numberOfParts?: number, \n/** Total size of the data in bytes */\n size?: number, \n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\", \n/** ID of the device that produced this data */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.completedAt": { + "rendered": "\n/** Time when data upload was completed */\n completedAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.createdAt": { + "rendered": "\n/** Time when data upload was created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.dataId": { + "rendered": "\n/** Large data object identifier */\n dataId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": "\n/** Large data object description */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Large data object name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.numberOfParts": { + "rendered": "\n/** Number of parts */\n numberOfParts?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.size": { + "rendered": "\n/** Total size of the data in bytes */\n size?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** State of the data upload */\n status?: \"preparing\" | \"pending\" | \"ongoing\" | \"completed\" | \"failed\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.trackingId": { + "rendered": "\n/** ID of the device that produced this data */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3188,23 +3328,43 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * MD5 digest of the data (hexadecimal representation)\n * @minLength 32\n * @maxLength 32\n */\n \"md5\"?: string,\n /**\n * Part number for a large data object\n * @min 1\n * @max 10000\n */\n partNumber?: number,\n /**\n * Part size in bytes\n * @min 0\n */\n size?: number,\n /** State of the data part upload */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\",\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** MD5 digest of the data (hexadecimal representation) */\n md5?: string, \n/** Part number for a large data object */\n partNumber?: number, \n/** Part size in bytes */\n size?: number, \n/** State of the data part upload */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\", })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** MD5 digest of the data (hexadecimal representation) */\n md5?: string, \n/** Part number for a large data object */\n partNumber?: number, \n/** Part size in bytes */\n size?: number, \n/** State of the data part upload */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** MD5 digest of the data (hexadecimal representation) */\n md5?: string, \n/** Part number for a large data object */\n partNumber?: number, \n/** Part size in bytes */\n size?: number, \n/** State of the data part upload */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.md5": { + "rendered": "\n/** MD5 digest of the data (hexadecimal representation) */\n md5?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.partNumber": { + "rendered": "\n/** Part number for a large data object */\n partNumber?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.size": { + "rendered": "\n/** Part size in bytes */\n size?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.status": { + "rendered": "\n/** State of the data part upload */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"failed\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3338,27 +3498,87 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /** Location address. */\n address?: {\n /**\n * City\n * @maxLength 100\n */\n city?: string,\n /**\n * Country\n * @maxLength 100\n */\n country?: string,\n /**\n * Postal code\n * @maxLength 10\n */\n postalCode?: string,\n /**\n * State\n * @maxLength 100\n */\n state?: string,\n /**\n * Street address\n * @maxLength 100\n */\n street?: string,\n\n},\n /**\n * Description of the location.\n * @maxLength 1000\n */\n description?: string,\n /**\n * External location id in external cloud\n * @minLength 1\n * @maxLength 100\n */\n externalLocationId?: string,\n /**\n * Optional geofenceId associated with the location. Has to match an existing geofenceId.\n * @format uuid\n */\n geofenceId?: string,\n /** Location coordinates. */\n location?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Location ID\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n locationId: string,\n /**\n * Name of the location.\n * @maxLength 50\n */\n name?: string,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /** Total number of locations for query */\n total?: number,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, }, \n/** Description of the location. */\n description?: string, \n/** External location id in external cloud */\n externalLocationId?: string, \n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string, \n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Location ID */\n locationId?: string, \n/** Name of the location. */\n name?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Total number of locations for query */\n total?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, }, \n/** Description of the location. */\n description?: string, \n/** External location id in external cloud */\n externalLocationId?: string, \n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string, \n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Location ID */\n locationId?: string, \n/** Name of the location. */\n name?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, }, \n/** Description of the location. */\n description?: string, \n/** External location id in external cloud */\n externalLocationId?: string, \n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string, \n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Location ID */\n locationId?: string, \n/** Name of the location. */\n name?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.address": { + "rendered": "\n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.address.city": { + "rendered": "\n/** City */\n city?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.address.country": { + "rendered": "\n/** Country */\n country?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.address.postalCode": { + "rendered": "\n/** Postal code */\n postalCode?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.address.state": { + "rendered": "\n/** State */\n state?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.address.street": { + "rendered": "\n/** Street address */\n street?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.description": { + "rendered": "\n/** Description of the location. */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.externalLocationId": { + "rendered": "\n/** External location id in external cloud */\n externalLocationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.geofenceId": { + "rendered": "\n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.location": { + "rendered": "\n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.location.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.location.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.locationId": { + "rendered": "\n/** Location ID */\n locationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** Name of the location. */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** Total number of locations for query */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3395,15 +3615,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Location ID\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n locationId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Location ID */\n locationId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.locationId": { + "rendered": "\n/** Location ID */\n locationId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3414,15 +3630,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3433,11 +3645,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3473,19 +3681,63 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Location address. */\n address?: {\n /**\n * City\n * @maxLength 100\n */\n city?: string,\n /**\n * Country\n * @maxLength 100\n */\n country?: string,\n /**\n * Postal code\n * @maxLength 10\n */\n postalCode?: string,\n /**\n * State\n * @maxLength 100\n */\n state?: string,\n /**\n * Street address\n * @maxLength 100\n */\n street?: string,\n\n},\n /**\n * Description of the location.\n * @maxLength 1000\n */\n description?: string,\n /**\n * External location id in external cloud\n * @minLength 1\n * @maxLength 100\n */\n externalLocationId?: string,\n /**\n * Optional geofenceId associated with the location. Has to match an existing geofenceId.\n * @format uuid\n */\n geofenceId?: string,\n /** Location coordinates. */\n location?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Location ID\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n locationId: string,\n /**\n * Name of the location.\n * @maxLength 50\n */\n name?: string,\n\n}", + "rendered": "{ \n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, }, \n/** Description of the location. */\n description?: string, \n/** External location id in external cloud */\n externalLocationId?: string, \n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string, \n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Location ID */\n locationId?: string, \n/** Name of the location. */\n name?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address": { + "rendered": "\n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address.city": { + "rendered": "\n/** City */\n city?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address.country": { + "rendered": "\n/** Country */\n country?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.postalCode": { + "rendered": "\n/** Postal code */\n postalCode?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.state": { + "rendered": "\n/** State */\n state?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.street": { + "rendered": "\n/** Street address */\n street?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": "\n/** Description of the location. */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.externalLocationId": { + "rendered": "\n/** External location id in external cloud */\n externalLocationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.geofenceId": { + "rendered": "\n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location": { + "rendered": "\n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.locationId": { + "rendered": "\n/** Location ID */\n locationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Name of the location. */\n name?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3518,19 +3770,63 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Location address. */\n address?: {\n /**\n * City\n * @maxLength 100\n */\n city?: string,\n /**\n * Country\n * @maxLength 100\n */\n country?: string,\n /**\n * Postal code\n * @maxLength 10\n */\n postalCode?: string,\n /**\n * State\n * @maxLength 100\n */\n state?: string,\n /**\n * Street address\n * @maxLength 100\n */\n street?: string,\n\n},\n /**\n * Description of the location.\n * @maxLength 1000\n */\n description?: string,\n /**\n * External location id in external cloud\n * @minLength 1\n * @maxLength 100\n */\n externalLocationId?: string,\n /**\n * Optional geofenceId associated with the location. Has to match an existing geofenceId.\n * @format uuid\n */\n geofenceId?: string,\n /** Location coordinates. */\n location?: {\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n\n},\n /**\n * Location ID\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n locationId: string,\n /**\n * Name of the location.\n * @maxLength 50\n */\n name?: string,\n\n}", + "rendered": "{ \n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, }, \n/** Description of the location. */\n description?: string, \n/** External location id in external cloud */\n externalLocationId?: string, \n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string, \n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** Location ID */\n locationId?: string, \n/** Name of the location. */\n name?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address": { + "rendered": "\n/** Location address. */\n address?: { \n/** City */\n city?: string, \n/** Country */\n country?: string, \n/** Postal code */\n postalCode?: string, \n/** State */\n state?: string, \n/** Street address */\n street?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address.city": { + "rendered": "\n/** City */\n city?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.address.country": { + "rendered": "\n/** Country */\n country?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.postalCode": { + "rendered": "\n/** Postal code */\n postalCode?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.state": { + "rendered": "\n/** State */\n state?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.address.street": { + "rendered": "\n/** Street address */\n street?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": "\n/** Description of the location. */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.externalLocationId": { + "rendered": "\n/** External location id in external cloud */\n externalLocationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.geofenceId": { + "rendered": "\n/** Optional geofenceId associated with the location. Has to match an existing geofenceId. */\n geofenceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location": { + "rendered": "\n/** Location coordinates. */\n location: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.location.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.locationId": { + "rendered": "\n/** Location ID */\n locationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Name of the location. */\n name?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3567,12 +3863,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseGetMetadataBatchDevices", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n id?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3625,15 +3917,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3667,15 +3959,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3712,12 +4004,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseGetMetadataBatchGeofences", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Geofence ID */\n id?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3752,15 +4040,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Geofence ID */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Geofence ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3785,15 +4073,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * Geofence ID\n * @format uuid\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Geofence ID */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Geofence ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3804,15 +4092,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3849,12 +4133,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseGetMetadataBatchSensorRules", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Sensor rule ID */\n id?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3889,15 +4169,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * Sensor rule ID\n * @format uuid\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Sensor rule ID */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Sensor rule ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3922,15 +4202,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Metadata JSON object\n * @example {\"priority\":\"high\"}\n */\n data: hasuraSdk.JSONValue,\n /**\n * Sensor rule ID\n * @format uuid\n */\n id: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue, \n/** Sensor rule ID */\n id?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Metadata JSON object\n */\n data?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Sensor rule ID */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3941,11 +4221,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -3956,15 +4232,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4000,16 +4272,12 @@ }, "response": { ".__no_name": { - "rendered": "{\n registration?: ({\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"webhook\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /** A URL for webhook notifications capable of receiving POST requests. */\n url: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"email\",\n /**\n * emailBounce property is set `true` if emails to the user's email address bounce. For those\n * emails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\n * to be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean,\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"browserPull\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n}),\n\n}", + "rendered": "{ registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, }, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.registration": { + "rendered": " registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, },", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4037,16 +4305,12 @@ }, "response": { ".__no_name": { - "rendered": "{\n registration?: ({\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"webhook\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /** A URL for webhook notifications capable of receiving POST requests. */\n url: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"email\",\n /**\n * emailBounce property is set `true` if emails to the user's email address bounce. For those\n * emails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\n * to be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean,\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"browserPull\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n}),\n\n}", + "rendered": "{ registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, }, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.registration": { + "rendered": " registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, },", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4113,12 +4377,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseRegistrationsV3", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4154,16 +4414,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n registration?: ({\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"webhook\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /** A URL for webhook notifications capable of receiving POST requests. */\n url: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"email\",\n /**\n * emailBounce property is set `true` if emails to the user's email address bounce. For those\n * emails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\n * to be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean,\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n} | {\n /**\n * channel ID\n * @format uuid\n */\n channelId: string,\n channelType: \"browserPull\",\n /** The event source rule type. */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\",\n /**\n * Type of the event.\n * \n * An event is created every time an associated rule or geofence is triggered by a device ingestion.\n * The event type depends on the data the device sends.\n * \n * Sensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\n * generate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\n * This produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n * \n * Sensors that report boolean data (such as attach and tamper sensors), generate events when the device \n * transitions from one state to another, either from `false` to `true` or vice versa.\n * This produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\n * The same event types are also generated by the online rule when the device state changes from `offline` \n * (when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \n * or vice versa.\n * \n * The acceleration sensor generates events whenever the reported sensor reading \n * crosses the acceleration threshold (for example, when the device was dropped).\n * This produces events of the type EVENT. \n * Such events are stateless.\n * \n * Events of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\n * a geofence associated with the device.\n * \n * Events of DWELLING_STARTED type are generated when the device has\n * stayed inside an associated geofence for longer than the threshold duration. \n * DWELLING_ENDED type events are generated when dwelling of the device has ended.\n * \n * Events of DETENTION_STARTED type are generated when the device has been\n * stationary for longer than the threshold duration, regardless whether the device is inside \n * or outside of any geofence. \n * DETENTION_ENDED type events will be generated when the device starts moving again.\n * \n * Events of UNUTILIZED type are generated when the device has been stationary for longer than the\n * threshold duration.\n * UTILIZED type events are generated when the device starts moving again after having been stationary.\n * \n * Events of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\n * inside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n * \n * Events of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\n * is too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\",\n /**\n * Events with the `initialState` property set as `true` are generated when the rule is \n * evaluated for the first time. It indicates the fact that this is the initial evaluation \n * state, which would serve as a starting point for the subsequent rule evaluations.\n * The rest of the rule events would represent a transition of a device or a shipment or \n * a geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId?: string,\n /**\n * User Id.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId: string,\n\n}),\n\n}", + "rendered": "{ registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, }, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.registration": { + "rendered": " registration?: { \n/** channel ID\n */\n channelId?: string, channelType?: \"webhook\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** A URL for webhook notifications capable of receiving POST requests.\n */\n url?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"email\", \n/** emailBounce property is set `true` if emails to the user's email address bounce. For those\nemails the notifications can no longer be sent. Such channel cannot be re-activated but it needs\nto be deleted and created again after the email has been changed in HERE Account.\n */\n emailBounce?: boolean, \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, } | { \n/** channel ID\n */\n channelId?: string, channelType?: \"browserPull\", \n/** The event source rule type.\n */\n eventSource?: \"attach\" | \"battery\" | \"geofence\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\" | \"dwelling\" | \"stock\" | \"detention\" | \"utilization\" | \"online\" | \"shipmentSchedule\", \n/** Type of the event.\n\nAn event is created every time an associated rule or geofence is triggered by a device ingestion.\nThe event type depends on the data the device sends.\n\nSensors that report numerical data (such as battery, humidity, pressure and temperature sensors),\ngenerate an event when the reported sensor reading of the device goes in or out of range, which is configured in the rule.\nThis produces events of BELOW_RANGE, IN_RANGE and ABOVE_RANGE types.\n\nSensors that report boolean data (such as attach and tamper sensors), generate events when the device \ntransitions from one state to another, either from `false` to `true` or vice versa.\nThis produces events of FALSE_TO_TRUE and TRUE_TO_FALSE types.\nThe same event types are also generated by the online rule when the device state changes from `offline` \n(when the device has stopped ingesting data) to `online` (when the device data ingestion has resumed) \nor vice versa.\n\nThe acceleration sensor generates events whenever the reported sensor reading \ncrosses the acceleration threshold (for example, when the device was dropped).\nThis produces events of the type EVENT. \nSuch events are stateless.\n\nEvents of INSIDE_GEOFENCE and OUTSIDE_GEOFENCE types are generated when the device enters or exits\na geofence associated with the device.\n\nEvents of DWELLING_STARTED type are generated when the device has\nstayed inside an associated geofence for longer than the threshold duration. \nDWELLING_ENDED type events are generated when dwelling of the device has ended.\n\nEvents of DETENTION_STARTED type are generated when the device has been\nstationary for longer than the threshold duration, regardless whether the device is inside \nor outside of any geofence. \nDETENTION_ENDED type events will be generated when the device starts moving again.\n\nEvents of UNUTILIZED type are generated when the device has been stationary for longer than the\nthreshold duration.\nUTILIZED type events are generated when the device starts moving again after having been stationary.\n\nEvents of OVERSTOCK, NORMAL_VOLUME and UNDERSTOCK types are generated when the number of assets\ninside a geofence crosses the `minVolume` and `maxVolume` thresholds of an associated stock rule.\n\nEvents of SHIPMENT_EARLY, SHIPMENT_ON_TIME and SHIPMENT_DELAYED types are generated when a shipment\nis too early, on time or delayed.\n */\n eventType?: \"BELOW_RANGE\" | \"IN_RANGE\" | \"ABOVE_RANGE\" | \"FALSE_TO_TRUE\" | \"TRUE_TO_FALSE\" | \"EVENT\" | \"INSIDE_GEOFENCE\" | \"OUTSIDE_GEOFENCE\" | \"OVERSTOCK\" | \"NORMAL_VOLUME\" | \"UNDERSTOCK\" | \"DWELLING_STARTED\" | \"DWELLING_ENDED\" | \"DETENTION_STARTED\" | \"DETENTION_ENDED\" | \"UTILIZED\" | \"UNUTILIZED\" | \"SHIPMENT_EARLY\" | \"SHIPMENT_ON_TIME\" | \"SHIPMENT_DELAYED\", \n/** Events with the `initialState` property set as `true` are generated when the rule is \nevaluated for the first time. It indicates the fact that this is the initial evaluation \nstate, which would serve as a starting point for the subsequent rule evaluations.\nThe rest of the rule events would represent a transition of a device or a shipment or \na geofence from one state to another and their `initialState` property will be set to `false`.\n */\n initialState?: boolean, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, \n/** User Id.\n */\n userId?: string, },", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4173,11 +4429,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4231,15 +4483,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4281,15 +4529,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4300,15 +4544,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4340,27 +4580,79 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * End of returned block from a list. Default 100.\n * @min 0\n * @default 100\n */\n end: number,\n /** Developer plan licenses for HERE Tracking */\n licenses: ({\n /**\n * A project application id.\n * @minLength 8\n */\n appId?: string,\n /** True if a license has expired. */\n expired?: boolean,\n /** A license expiration date. */\n expiryDate?: string,\n /** Features supported by the license plan. */\n features?: (string)[],\n /**\n * Project description\n * @minLength 1\n * @maxLength 250\n */\n projectDescription?: string,\n /**\n * Project HRN\n * @pattern ^hrn:here.*$\n */\n projectHrn?: string,\n /**\n * Project ID.\n * Any HERE Tracking user must be a member of a Tracking project.\n * The project ID can be implicitly resolved if the user calling the API is a member of a single project.\n * If the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n * @minLength 1\n * @maxLength 50\n */\n projectId?: string,\n /**\n * Project name\n * @minLength 1\n * @maxLength 50\n */\n projectName?: string,\n quota?: {\n /** The number of devices that can still be provisioned. */\n provisioning?: number,\n\n},\n /** Platform application realm. */\n realm?: string,\n /** A license type. */\n type?: \"evaluation\" | \"commercial\" | \"platformApp\" | \"platform\",\n\n})[],\n /**\n * Start of returned block from a list. Default 0.\n * @min 0\n * @default 0\n */\n start: number,\n /**\n * Total number of elements that can be received with current query.\n * @min 0\n * @default 0\n */\n total: number,\n\n}", + "rendered": "{ \n/** End of returned block from a list. Default 100. */\n end?: number, \n/** Developer plan licenses for HERE Tracking */\n licenses?: ({ \n/** A project application id. */\n appId?: string, \n/** True if a license has expired. */\n expired?: boolean, \n/** A license expiration date. */\n expiryDate?: string, \n/** Features supported by the license plan. */\n features?: (string)[], \n/** Project description */\n projectDescription?: string, \n/** Project HRN */\n projectHrn?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, \n/** Project name */\n projectName?: string, quota?: { \n/** The number of devices that can still be provisioned. */\n provisioning?: number, }, \n/** Platform application realm. */\n realm?: string, \n/** A license type. */\n type?: \"evaluation\" | \"commercial\" | \"platformApp\" | \"platform\", })[], \n/** Start of returned block from a list. Default 0. */\n start?: number, \n/** Total number of elements that can be received with current query. */\n total?: number, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.end": { + "rendered": "\n/** End of returned block from a list. Default 100. */\n end?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.licenses": { + "rendered": "\n/** Developer plan licenses for HERE Tracking */\n licenses?: ({ \n/** A project application id. */\n appId?: string, \n/** True if a license has expired. */\n expired?: boolean, \n/** A license expiration date. */\n expiryDate?: string, \n/** Features supported by the license plan. */\n features?: (string)[], \n/** Project description */\n projectDescription?: string, \n/** Project HRN */\n projectHrn?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, \n/** Project name */\n projectName?: string, quota?: { \n/** The number of devices that can still be provisioned. */\n provisioning?: number, }, \n/** Platform application realm. */\n realm?: string, \n/** A license type. */\n type?: \"evaluation\" | \"commercial\" | \"platformApp\" | \"platform\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.licenses.__no_name": { + "rendered": "{ \n/** A project application id. */\n appId?: string, \n/** True if a license has expired. */\n expired?: boolean, \n/** A license expiration date. */\n expiryDate?: string, \n/** Features supported by the license plan. */\n features?: (string)[], \n/** Project description */\n projectDescription?: string, \n/** Project HRN */\n projectHrn?: string, \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, \n/** Project name */\n projectName?: string, quota?: { \n/** The number of devices that can still be provisioned. */\n provisioning?: number, }, \n/** Platform application realm. */\n realm?: string, \n/** A license type. */\n type?: \"evaluation\" | \"commercial\" | \"platformApp\" | \"platform\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.licenses.__no_name.appId": { + "rendered": "\n/** A project application id. */\n appId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.licenses.__no_name.expired": { + "rendered": "\n/** True if a license has expired. */\n expired?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.licenses.__no_name.expiryDate": { + "rendered": "\n/** A license expiration date. */\n expiryDate?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.licenses.__no_name.features": { + "rendered": "\n/** Features supported by the license plan. */\n features?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.features.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.projectDescription": { + "rendered": "\n/** Project description */\n projectDescription?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.projectHrn": { + "rendered": "\n/** Project HRN */\n projectHrn?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.projectId": { + "rendered": "\n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.projectName": { + "rendered": "\n/** Project name */\n projectName?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.quota": { + "rendered": " quota?: { \n/** The number of devices that can still be provisioned. */\n provisioning?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.quota.provisioning": { + "rendered": "\n/** The number of devices that can still be provisioned. */\n provisioning?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.realm": { + "rendered": "\n/** Platform application realm. */\n realm?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.licenses.__no_name.type": { + "rendered": "\n/** A license type. */\n type?: \"evaluation\" | \"commercial\" | \"platformApp\" | \"platform\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.start": { + "rendered": "\n/** Start of returned block from a list. Default 0. */\n start?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** Total number of elements that can be received with current query. */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4371,11 +4663,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4404,11 +4692,7 @@ }, "response": { ".__no_name": { - "rendered": "ProvisionedDevicesResults", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** The provisioned device ID */\n deviceId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** Provisioning time in milliseconds elapsed since 1 January 1970 00:00:00 UTC. */\n timestamp?: number, })[], }", "requiresRelaxedTypeAnnotation": false } } @@ -4442,15 +4726,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * The batch job ID, needed for subsequent requests. Valid for 24 hours.\n * @format uuid\n */\n jobId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** The batch job ID, needed for subsequent requests. Valid for 24 hours. */\n jobId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.jobId": { + "rendered": "\n/** The batch job ID, needed for subsequent requests. Valid for 24 hours. */\n jobId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4466,15 +4746,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * The number of created device licenses for given `appId`\n * @min 0\n */\n count: number,\n /** Timestamp of the last `count` update */\n updatedAt: string,\n\n}", + "rendered": "{ \n/** The number of created device licenses for given `appId` */\n count?: number, \n/** Timestamp of the last `count` update */\n updatedAt?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** The number of created device licenses for given `appId` */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.updatedAt": { + "rendered": "\n/** Timestamp of the last `count` update */\n updatedAt?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4499,15 +4779,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** A newly created device ID. */\n deviceId: string,\n /** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n\n}", + "rendered": "{ \n/** A newly created device ID. */\n deviceId?: string, \n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.deviceId": { + "rendered": "\n/** A newly created device ID. */\n deviceId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.deviceSecret": { + "rendered": "\n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4536,11 +4820,7 @@ }, "response": { ".__no_name": { - "rendered": "ResponseJobResults", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** A newly created device ID. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceId?: string, \n/** A newly created device secret. A physical device license is a `deviceId` and `deviceSecret` credential pair. */\n deviceSecret?: string, \n/** Virtual device external ID, only present when provisioning virtual devices. */\n externalId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[], errors?: ({ error: { \n/** An HTTP status code */\n code?: number, \n/** An HTTP error description */\n error?: string, \n/** An error ID that allows you to trace the error details */\n id?: string, \n/** Descriptive text that explains the error */\n message?: string, }, \n/** ID for the device to which error occurred */\n id?: string, })[], }", "requiresRelaxedTypeAnnotation": false } } @@ -4556,16 +4836,16 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * The percentage of the job that was completed at the time of the request.\n * @min 0\n * @max 100\n */\n percent: number,\n /** The status of the batch job. When the job status is `complete`, use the `/registry/v2/{jobId}/results` endpoint to get the device licenses */\n status: \"started\" | \"complete\",\n\n}", + "rendered": "{ \n/** The percentage of the job that was completed at the time of the request. */\n percent?: number, \n/** The status of the batch job. When the job status is `complete`, use the `/registry/v2/{jobId}/results` endpoint to get the device licenses */\n status?: \"started\" | \"complete\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.percent": { + "rendered": "\n/** The percentage of the job that was completed at the time of the request. */\n percent?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.status": { + "rendered": "\n/** The status of the batch job. When the job status is `complete`, use the `/registry/v2/{jobId}/results` endpoint to get the device licenses */\n status?: \"started\" | \"complete\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4618,15 +4898,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Device ID of a provisioned device\n * @minLength 1\n * @maxLength 50\n */\n deviceId?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Device ID of a provisioned device */\n deviceId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.deviceId": { + "rendered": "\n/** Device ID of a provisioned device */\n deviceId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4676,23 +4952,35 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** number of items returned in the response */\n count: number,\n /** Array of matching resource ids */\n items: ({\n resourceId: string,\n\n})[],\n /** number of items as specified in request */\n limit: number,\n /** token to fetch the next page */\n nextPageToken?: string,\n /** total number of items at the moment when the first page was requested */\n total: number,\n\n}", + "rendered": "{ \n/** number of items returned in the response */\n count?: number, \n/** Array of matching resource ids */\n items?: ({ resourceId?: string, })[], \n/** number of items as specified in request */\n limit?: number, \n/** token to fetch the next page */\n nextPageToken?: string, \n/** total number of items at the moment when the first page was requested */\n total?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": "\n/** Array of matching resource ids */\n items?: ({ resourceId?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "{ resourceId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.resourceId": { + "rendered": " resourceId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** token to fetch the next page */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** total number of items at the moment when the first page was requested */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -4725,15 +5013,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Report ID\n * @minLength 1\n * @maxLength 50\n * @pattern ^REP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n reportId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Report ID */\n reportId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.reportId": { + "rendered": "\n/** Report ID */\n reportId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4744,15 +5028,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4763,11 +5043,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4828,20 +5104,32 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: (({\n /**\n * Timestamp of the beginning of the interval\n * @format date-time\n */\n timestamp: string,\n /**\n * The value of the report metric, which was specified in the `measure` parameter.\n * \n * * `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n * * `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n * * `measure`: `day` => `value`: the number of days the event lasted over the time frame\n * * `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n * \n * When `value` is provided along with `timestamp`, the time frame is the specified interval.\n * When `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n * \n * Additionally, if `method` parameter was given, the `value` represents\n * average/cumulative/percentage of the calculated metric.\n */\n value: number,\n\n} | {\n /**\n * Tracking ID on which the `value` is calculated\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n /**\n * The value of the report metric, which was specified in the `measure` parameter.\n * \n * * `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n * * `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n * * `measure`: `day` => `value`: the number of days the event lasted over the time frame\n * * `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n * \n * When `value` is provided along with `timestamp`, the time frame is the specified interval.\n * When `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n * \n * Additionally, if `method` parameter was given, the `value` represents\n * average/cumulative/percentage of the calculated metric.\n */\n value: number,\n\n} | {\n /**\n * Geofence ID on which the `value` is calculated\n * @format uuid\n */\n geofenceId: string,\n /**\n * The value of the report metric, which was specified in the `measure` parameter.\n * \n * * `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n * * `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n * * `measure`: `day` => `value`: the number of days the event lasted over the time frame\n * * `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n * \n * When `value` is provided along with `timestamp`, the time frame is the specified interval.\n * When `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n * \n * Additionally, if `method` parameter was given, the `value` represents\n * average/cumulative/percentage of the calculated metric.\n */\n value: number,\n\n} | {\n /**\n * Timestamp of the beginning of the event\n * @format date-time\n */\n timestamp: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId: string,\n /** Duration of the event in seconds */\n value: number,\n\n}))[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /**\n * Status of the report creation. \n * When the status is `pending` or `started`, re-check the status later again. \n * The actual reports can be queried only when the report creation status is 'completed'.\n */\n status: \"pending\" | \"started\" | \"completed\" | \"failed\",\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Timestamp of the beginning of the interval\n */\n timestamp?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Tracking ID on which the `value` is calculated\n */\n trackingId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Geofence ID on which the `value` is calculated\n */\n geofenceId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Timestamp of the beginning of the event\n */\n timestamp?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Duration of the event in seconds */\n value?: number, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Status of the report creation. \nWhen the status is `pending` or `started`, re-check the status later again. \nThe actual reports can be queried only when the report creation status is 'completed'.\n */\n status?: \"pending\" | \"started\" | \"completed\" | \"failed\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Timestamp of the beginning of the interval\n */\n timestamp?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Tracking ID on which the `value` is calculated\n */\n trackingId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Geofence ID on which the `value` is calculated\n */\n geofenceId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Timestamp of the beginning of the event\n */\n timestamp?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Duration of the event in seconds */\n value?: number, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Timestamp of the beginning of the interval\n */\n timestamp?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Tracking ID on which the `value` is calculated\n */\n trackingId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Geofence ID on which the `value` is calculated\n */\n geofenceId?: string, \n/** The value of the report metric, which was specified in the `measure` parameter.\n\n* `measure`: `duration` => `value`: duration of the event in seconds over the time frame\n* `measure`: `occurrence` => `value`: number of event occurrences during the time frame\n* `measure`: `day` => `value`: the number of days the event lasted over the time frame\n* `measure`: `asset` => `value`: the number of assets that generated the event over the time frame\n\nWhen `value` is provided along with `timestamp`, the time frame is the specified interval.\nWhen `value` is provided with `trackingId` or `geofenceId`, the time frame is the whole report period.\n\nAdditionally, if `method` parameter was given, the `value` represents\naverage/cumulative/percentage of the calculated metric.\n */\n value?: number, } | { \n/** Timestamp of the beginning of the event\n */\n timestamp?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Duration of the event in seconds */\n value?: number, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** Status of the report creation. \nWhen the status is `pending` or `started`, re-check the status later again. \nThe actual reports can be queried only when the report creation status is 'completed'.\n */\n status?: \"pending\" | \"started\" | \"completed\" | \"failed\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4892,23 +5180,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n rule: ({\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Utilization event is triggered when the asset starts moving\n * indicating that the asset is utilized, and also when the asset stops\n * moving and has been stationary for longer than the threshold duration\n * indicating that the asset is unutilized.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"utilization\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Detention event is triggered when the asset has been continuously stationary for longer\n * than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"detention\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Dwelling event is triggered when the asset has been continuously inside a geofence\n * for longer than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"dwelling\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Geofence ID\n * @format uuid\n */\n geofenceId: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * A maximum volume of stock\n * @min 0\n */\n maxVolume?: number,\n /**\n * A minimum volume of stock\n * @min 0\n */\n minVolume?: number,\n\n},\n /** The rule type */\n type: \"stock\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /** The rule type */\n type: \"online\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule\n * @min 0\n * @max 2147483647\n */\n after?: number,\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule\n * @min 0\n * @max 2147483647\n */\n before?: number,\n\n},\n /** The rule type */\n type: \"shipmentSchedule\",\n\n}),\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", }, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", }, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", }, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.rule": { + "rendered": " rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.ruleId": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n ruleId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4937,15 +5237,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ruleId": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n ruleId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4956,15 +5252,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4975,11 +5267,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5015,15 +5303,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n rule: ({\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Utilization event is triggered when the asset starts moving\n * indicating that the asset is utilized, and also when the asset stops\n * moving and has been stationary for longer than the threshold duration\n * indicating that the asset is unutilized.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"utilization\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Detention event is triggered when the asset has been continuously stationary for longer\n * than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"detention\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Dwelling event is triggered when the asset has been continuously inside a geofence\n * for longer than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"dwelling\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Geofence ID\n * @format uuid\n */\n geofenceId: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * A maximum volume of stock\n * @min 0\n */\n maxVolume?: number,\n /**\n * A minimum volume of stock\n * @min 0\n */\n minVolume?: number,\n\n},\n /** The rule type */\n type: \"stock\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /** The rule type */\n type: \"online\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule\n * @min 0\n * @max 2147483647\n */\n after?: number,\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule\n * @min 0\n * @max 2147483647\n */\n before?: number,\n\n},\n /** The rule type */\n type: \"shipmentSchedule\",\n\n}),\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n\n}", + "rendered": "{ rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", }, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.rule": { + "rendered": " rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", },", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ruleId": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n ruleId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5048,15 +5336,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n rule: ({\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Utilization event is triggered when the asset starts moving\n * indicating that the asset is utilized, and also when the asset stops\n * moving and has been stationary for longer than the threshold duration\n * indicating that the asset is unutilized.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"utilization\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Detention event is triggered when the asset has been continuously stationary for longer\n * than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"detention\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /**\n * Dwelling event is triggered when the asset has been continuously inside a geofence\n * for longer than the threshold duration.\n */\n threshold: {\n /**\n * Duration in seconds\n * @min 0\n * @max 2147483647\n */\n durationS: number,\n\n},\n /** The rule type */\n type: \"dwelling\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Geofence ID\n * @format uuid\n */\n geofenceId: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * A maximum volume of stock\n * @min 0\n */\n maxVolume?: number,\n /**\n * A minimum volume of stock\n * @min 0\n */\n minVolume?: number,\n\n},\n /** The rule type */\n type: \"stock\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n /** The rule type */\n type: \"online\",\n\n} | {\n /**\n * Rule description\n * @maxLength 1000\n */\n description?: string,\n /**\n * Rule name\n * @maxLength 50\n */\n name?: string,\n threshold: {\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule\n * @min 0\n * @max 2147483647\n */\n after?: number,\n /**\n * Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule\n * @min 0\n * @max 2147483647\n */\n before?: number,\n\n},\n /** The rule type */\n type: \"shipmentSchedule\",\n\n}),\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n ruleId: string,\n\n}", + "rendered": "{ rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", }, \n/** Must be a valid UUIDv4.\n */\n ruleId?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.rule": { + "rendered": " rule?: { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Utilization event is triggered when the asset starts moving\nindicating that the asset is utilized, and also when the asset stops\nmoving and has been stationary for longer than the threshold duration\nindicating that the asset is unutilized.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"utilization\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Detention event is triggered when the asset has been continuously stationary for longer\nthan the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"detention\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** Dwelling event is triggered when the asset has been continuously inside a geofence\nfor longer than the threshold duration.\n */\n threshold: { \n/** Duration in seconds */\n durationS?: number, }, \n/** The rule type */\n type?: \"dwelling\", } | { \n/** Rule description */\n description?: string, \n/** Geofence ID */\n geofenceId?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** A maximum volume of stock */\n maxVolume?: number, \n/** A minimum volume of stock */\n minVolume?: number, }, \n/** The rule type */\n type?: \"stock\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, \n/** The rule type */\n type?: \"online\", } | { \n/** Rule description */\n description?: string, \n/** Rule name */\n name?: string, threshold?: { \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is behind the schedule */\n after?: number, \n/** Allowed time deviation in seconds from the planned ETD/ETA in case the shipment is ahead of schedule */\n before?: number, }, \n/** The rule type */\n type?: \"shipmentSchedule\", },", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ruleId": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n ruleId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5108,12 +5396,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseSensorRulesByJson", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5141,15 +5425,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n id: string,\n /** Set to `created` if the sensor rule creation was successful. */\n message?: string,\n\n}", + "rendered": "{ \n/** Must be a valid UUIDv4.\n */\n id?: string, \n/** Set to `created` if the sensor rule creation was successful. */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Set to `created` if the sensor rule creation was successful. */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5160,15 +5444,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5179,11 +5459,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5219,20 +5495,44 @@ }, "response": { ".__no_name": { - "rendered": "{\n description?: string,\n /**\n * Must be a valid UUIDv4.\n * @format uuid\n */\n id: string,\n name?: string,\n range?: {\n /** The lower threshold value. */\n begin: number,\n /** The upper threshold value. */\n end: number,\n\n},\n threshold?: {\n /** Threshold value */\n value: number,\n\n},\n /** The sensor type. */\n type: \"attach\" | \"battery\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\",\n\n}", + "rendered": "{ description?: string, \n/** Must be a valid UUIDv4.\n */\n id?: string, name?: string, range: { \n/** The lower threshold value. */\n begin?: number, \n/** The upper threshold value. */\n end?: number, }, threshold: { \n/** Threshold value */\n value?: number, }, \n/** The sensor type. */\n type?: \"attach\" | \"battery\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.description": { + "rendered": " description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Must be a valid UUIDv4.\n */\n id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.range": { + "rendered": " range: { \n/** The lower threshold value. */\n begin?: number, \n/** The upper threshold value. */\n end?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.range.begin": { + "rendered": "\n/** The lower threshold value. */\n begin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.range.end": { + "rendered": "\n/** The upper threshold value. */\n end?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.threshold": { + "rendered": " threshold: { \n/** Threshold value */\n value?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.threshold.value": { + "rendered": "\n/** Threshold value */\n value?: number,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.type": { + "rendered": "\n/** The sensor type. */\n type?: \"attach\" | \"battery\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5256,12 +5556,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseUpdateRule", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The message text is \"updated\" if the sensor rule update was successful. */\n message?: string, } & { description?: string, \n/** Must be a valid UUIDv4.\n */\n id?: string, name?: string, range: { \n/** The lower threshold value. */\n begin?: number, \n/** The upper threshold value. */\n end?: number, }, threshold: { \n/** Threshold value */\n value?: number, }, \n/** The sensor type. */\n type?: \"attach\" | \"battery\" | \"humidity\" | \"pressure\" | \"tamper\" | \"temperature\" | \"acceleration\", }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5297,282 +5593,542 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseRetrieveBatch", + "rendered": "({ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** The data that Shadows persists for each device.\n */\n body?: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, }, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, statusCode?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[]", "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** The data that Shadows persists for each device.\n */\n body?: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, }, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, statusCode?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.appId": { + "rendered": "\n/** Virtual device application ID, only present when the device is virtual */\n appId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body": { + "rendered": "\n/** The data that Shadows persists for each device.\n */\n body?: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired": { + "rendered": "\n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/shadows/v2/health": { - "query": {}, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", + }, + ".__no_name.__no_name.body.desired.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/shadows/v2/version": { - "query": {}, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "any", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", "requiresRelaxedTypeAnnotation": false - } - } - }, - "delete__/shadows/v2/{trackingId}": { - "query": { - ".query": { - "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, \n/** If `true`, all the values of the `desired` shadow will be cleared */\n desired?: boolean, \n/** If `true`, all the values of the `reported` shadow will be cleared */\n reported?: boolean, },", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.appId": { - "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.desired": { - "rendered": "\n/** If `true`, all the values of the `desired` shadow will be cleared */\n desired?: boolean,", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.reported": { - "rendered": "\n/** If `true`, all the values of the `reported` shadow will be cleared */\n reported?: boolean,", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".trackingId": { - "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId: string,", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "hasuraSdk.JSONValue", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/shadows/v2/{trackingId}": { - "query": { - ".query": { - "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.appId": { - "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".trackingId": { - "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId: string,", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "{\n /** The desired shadow of the device. */\n desired?: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** Contains device configuration settings. */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to geofences that device is associated\n * with. This value is zero when device hasn't yet been associated with\n * any geofence. This is set by HERE Tracking when any geofences\n * associated with the device is modified or removed. Also adding and\n * removing geofence associations update this value.\n * @min 0\n * @max 4102448400000\n */\n lastModifiedGeofenceTimestamp: number,\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /** The device sensors alarm configuration. */\n sensorAlarmConfig?: {\n /** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,\n /** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,\n /** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,\n /** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,\n /** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,\n /** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,\n /** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,\n /** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,\n /** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,\n /** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,\n /** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,\n /** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,\n /**\n * True if attach sensor alert in device is enabled.\n * @default false\n */\n isAttachAlertEnabled?: boolean,\n /**\n * True if tamper sensor alert in device is enabled.\n * @default false\n */\n isTamperAlertEnabled?: boolean,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion: number,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to the desired shadow.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n /**\n * The `reported` shadow contains the most recent position, sensor readings and settings that the\n * device has sent. The reported shadow may also contain additional properties generated by HERE \n * Tracking based on the device-ingested telemetry.\n * Such properties are stored in `system.computed` property of the shadow.\n * \n * In case the most recent telemetry did not contain all the possible\n * fields, the last known information will remain in the shadow. This means that one can\n * see, for example, the last reported temperature or tracker firmware information in the reported shadow,\n * even if the device did not send that information in the latest telemetry.\n */\n reported?: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** The device location */\n position?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,\n /**\n * Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n altaccuracy?: number,\n /**\n * Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level).\n * @min 50\n * @max 95\n */\n confidence?: number,\n /** The building where the measurements were taken */\n floor?: {\n /**\n * The building id\n * @min 1\n * @max 100\n */\n id: string,\n /**\n * The floor in the building in integer format\n * @min -999\n * @max 999\n */\n level: number,\n /**\n * The building name\n * @min 1\n * @max 255\n */\n name: string,\n\n},\n /**\n * GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed.\n * @min 0\n * @max 359\n */\n heading?: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only)\n * @min 1\n * @max 50\n */\n satellitecount?: number,\n /**\n * GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading.\n * @min 0\n */\n speed?: number,\n /**\n * Timestamp of the position\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,\n /**\n * The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only)\n * @min 1\n * @max 254\n */\n wlancount?: number,\n\n},\n /**\n * Contains device-reported sensor data and device configuration settings.\n * `stateVersion` property contains the version of the last\n * known `desired` state seen by the device.\n */\n system?: {\n /**\n * Information about the client device.\n * @example {\"accelerometerSensorRange\":[2],\"diagnosticscode\":0,\"diskquota\":256,\"firmware\":\"heroltexx...\",\"hasAccelerometerSensor\":true,\"hasAttachSensor\":true,\"hasHumiditySensor\":true,\"hasNoBattery\":false,\"hasPressureSensor\":true,\"hasTamperSensor\":true,\"hasTemperatureSensor\":true,\"homenetwork\":[],\"manufacturer\":\"Samsung\",\"model\":\"SM-G930F\",\"name\":\"HERE Tracker\",\"platform\":\"Android\",\"version\":\"1.6.1\"}\n */\n client?: {\n /**\n * Specifies the range of measurable acceleration, representation\n * unit g (9.8 m/s^2). If more than one accelerometer is available,\n * each element in the list will represent individual accelerometer.\n * Each value represents a single \"+/-\" range.\n * For example, value 2 means that sensor is capable to measure\n * acceleration within the range of [-2 g, +2 g].\n * @maxItems 5\n */\n accelerometerSensorRange?: (number)[],\n /** Device diagnostics code. */\n diagnosticscode?: number,\n /**\n * Available disk quota in kilobytes.\n * @min 0\n */\n diskquota?: number,\n /**\n * Device firmware version information\n * @minLength 1\n * @maxLength 150\n */\n firmware?: string,\n /** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,\n /** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,\n /** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,\n /** False if a device has a battery. */\n hasNoBattery?: boolean,\n /** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,\n /** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,\n /** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,\n /**\n * Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions.\n * @maxItems 2\n */\n homenetwork?: ({\n /**\n * Mobile Country Code\n * @min 200\n * @max 999\n */\n mcc?: number,\n /**\n * Mobile Network Code\n * @min 0\n * @max 999\n */\n mnc?: number,\n /**\n * Network Id, NID\n * @min 0\n * @max 65535\n */\n nid?: number,\n /**\n * System Id, SID\n * @min 1\n * @max 32767\n */\n sid?: number,\n\n})[],\n /**\n * Manufacturer of the device (hardware)\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model of the device (hardware)\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n /**\n * Software information of all updateable chips.\n * @maxItems 10\n */\n modules?: ({\n /**\n * Installed firmware version\n * @minLength 3\n * @maxLength 60\n */\n firmwareVersion?: string,\n /**\n * Manufacturer name\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model or chip name\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n\n})[],\n /**\n * Name of the client software accessing the HERE API\n * @minLength 3\n * @maxLength 50\n */\n name?: string,\n /**\n * Software platform information of the device, for example operating system name and version.\n * @minLength 3\n * @maxLength 50\n */\n platform?: string,\n /**\n * Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client.\n * @minLength 3\n * @maxLength 60\n */\n version?: string,\n\n},\n /** Values computed by HERE Tracking based on other data available. */\n computed?: {\n /**\n * Timestamp referring to the trace point when the asset was last detected moving.\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n */\n lastMovedTimestamp?: number,\n /**\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n */\n moving?: boolean,\n /** Online status of the device. Computed based on the device's reporting rate. If the device has not reported within the time frame of the reporting rate plus five minutes, the device is considered to be offline. If the reporting rate is not specified for the device, a default of 15 minutes is used. */\n online?: boolean,\n /** Indicates that HERE Tracking detected position to be a possible outlier. */\n outlier?: {\n /** HERE Tracking estimate of more correct position. */\n correctedPosition?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n /** Reason why position was considered to be an outlier. */\n reason: string,\n\n},\n\n},\n /**\n * SIM card integrated circuit card identifier (ICCID)\n * @minLength 18\n * @maxLength 22\n */\n iccid?: string,\n /**\n * The IMSI of the device's SIM card.\n * @pattern ^[0-9]{1,15}$\n * @example \"123456789012345\"\n */\n imsi?: string,\n /**\n * Tracker mode status of the device. When a tracker is in a normal mode, it\n * can send telemetry and, for example, use its GNSS receiver if it has one.\n * A tracker switches into flight mode once it detects that it's in an\n * airplane, and leaves that mode once airplane lands. Transport mode has to\n * be triggered by the user, and it's used, for example, during shipping from\n * continent to another. Sleep mode is used when a tracker is stored in\n * a warehouse, and it's triggered by entering or leaving some defined\n * geofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",\n /**\n * The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n * @pattern ^\\+[1-9]\\d{1,14}$\n * @example \"+491234567890\"\n */\n phoneNumber?: string,\n /** The last known device sensor data reported by the device. */\n reportedSensorData?: {\n /**\n * A g-force value of acceleration.\n * @min -100\n * @max 100\n */\n accelerationG?: number,\n /** True if device battery is charging. */\n batteryIsCharging?: boolean,\n /**\n * A value of percentage battery level.\n * @min 0\n * @max 100\n */\n batteryLevel?: number,\n /** True if device is attached to an object. */\n deviceIsAttached?: boolean,\n /** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,\n /** True if device is tampered. */\n deviceIsTampered?: boolean,\n /**\n * A value of pressure in hectopascal.\n * @min 300\n * @max 1500\n */\n pressureHpa?: number,\n /**\n * A value of relative humidity in percent.\n * @min 0\n * @max 100\n */\n relativeHumidity?: number,\n /**\n * A value of temperature in celcius.\n * @min -70\n * @max 100\n */\n temperatureC?: number,\n /** A value of tilt in degrees. */\n tiltDegree?: number,\n\n},\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion?: number,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The timestamp of the newest telemetry sent by the device. Note that this is not necessarily\n * the timestamp of all the reported values in the reported shadow since the shadow retains\n * values from previous ingestions if the latest telemetry did not conatain them.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n\n}", + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.desired.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.desired.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.desired.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.desired.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", "requiresRelaxedTypeAnnotation": false - } - } - }, - "put__/shadows/v2/{trackingId}": { - "query": { - ".query": { - "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + }, + ".__no_name.__no_name.body.desired.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".query.appId": { - "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + ".__no_name.__no_name.body.desired.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "body": { - ".data": { - "rendered": "\n/** Request body */\n data: {\n /** The desired shadow of the device. */\n desired: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /**\n * Contains values for the device configuration. HERE Tracking uses these values\n * for various application flows.\n */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n\n},\n\n},", + }, + ".__no_name.__no_name.body.reported": { + "rendered": "\n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, },", "requiresRelaxedTypeAnnotation": true }, - ".data.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.reported.position": { + "rendered": "\n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.accuracy": { + "rendered": "\n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number,", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.alt": { + "rendered": "\n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.altaccuracy": { + "rendered": "\n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number,", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.confidence": { + "rendered": "\n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number,", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.floor": { + "rendered": "\n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".data.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.position.floor.id": { + "rendered": "\n/** The building id */\n id?: string,", "requiresRelaxedTypeAnnotation": false - } - }, - "path": { - ".trackingId": { - "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId: string,", + }, + ".__no_name.__no_name.body.reported.position.floor.level": { + "rendered": "\n/** The floor in the building in integer format */\n level?: number,", "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "{\n /** The desired shadow of the device. */\n desired?: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** Contains device configuration settings. */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to geofences that device is associated\n * with. This value is zero when device hasn't yet been associated with\n * any geofence. This is set by HERE Tracking when any geofences\n * associated with the device is modified or removed. Also adding and\n * removing geofence associations update this value.\n * @min 0\n * @max 4102448400000\n */\n lastModifiedGeofenceTimestamp: number,\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /** The device sensors alarm configuration. */\n sensorAlarmConfig?: {\n /** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,\n /** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,\n /** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,\n /** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,\n /** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,\n /** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,\n /** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,\n /** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,\n /** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,\n /** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,\n /** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,\n /** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,\n /**\n * True if attach sensor alert in device is enabled.\n * @default false\n */\n isAttachAlertEnabled?: boolean,\n /**\n * True if tamper sensor alert in device is enabled.\n * @default false\n */\n isTamperAlertEnabled?: boolean,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion: number,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to the desired shadow.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n /**\n * The `reported` shadow contains the most recent position, sensor readings and settings that the\n * device has sent. The reported shadow may also contain additional properties generated by HERE \n * Tracking based on the device-ingested telemetry.\n * Such properties are stored in `system.computed` property of the shadow.\n * \n * In case the most recent telemetry did not contain all the possible\n * fields, the last known information will remain in the shadow. This means that one can\n * see, for example, the last reported temperature or tracker firmware information in the reported shadow,\n * even if the device did not send that information in the latest telemetry.\n */\n reported?: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** The device location */\n position?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,\n /**\n * Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n altaccuracy?: number,\n /**\n * Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level).\n * @min 50\n * @max 95\n */\n confidence?: number,\n /** The building where the measurements were taken */\n floor?: {\n /**\n * The building id\n * @min 1\n * @max 100\n */\n id: string,\n /**\n * The floor in the building in integer format\n * @min -999\n * @max 999\n */\n level: number,\n /**\n * The building name\n * @min 1\n * @max 255\n */\n name: string,\n\n},\n /**\n * GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed.\n * @min 0\n * @max 359\n */\n heading?: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only)\n * @min 1\n * @max 50\n */\n satellitecount?: number,\n /**\n * GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading.\n * @min 0\n */\n speed?: number,\n /**\n * Timestamp of the position\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n /** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,\n /**\n * The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only)\n * @min 1\n * @max 254\n */\n wlancount?: number,\n\n},\n /**\n * Contains device-reported sensor data and device configuration settings.\n * `stateVersion` property contains the version of the last\n * known `desired` state seen by the device.\n */\n system?: {\n /**\n * Information about the client device.\n * @example {\"accelerometerSensorRange\":[2],\"diagnosticscode\":0,\"diskquota\":256,\"firmware\":\"heroltexx...\",\"hasAccelerometerSensor\":true,\"hasAttachSensor\":true,\"hasHumiditySensor\":true,\"hasNoBattery\":false,\"hasPressureSensor\":true,\"hasTamperSensor\":true,\"hasTemperatureSensor\":true,\"homenetwork\":[],\"manufacturer\":\"Samsung\",\"model\":\"SM-G930F\",\"name\":\"HERE Tracker\",\"platform\":\"Android\",\"version\":\"1.6.1\"}\n */\n client?: {\n /**\n * Specifies the range of measurable acceleration, representation\n * unit g (9.8 m/s^2). If more than one accelerometer is available,\n * each element in the list will represent individual accelerometer.\n * Each value represents a single \"+/-\" range.\n * For example, value 2 means that sensor is capable to measure\n * acceleration within the range of [-2 g, +2 g].\n * @maxItems 5\n */\n accelerometerSensorRange?: (number)[],\n /** Device diagnostics code. */\n diagnosticscode?: number,\n /**\n * Available disk quota in kilobytes.\n * @min 0\n */\n diskquota?: number,\n /**\n * Device firmware version information\n * @minLength 1\n * @maxLength 150\n */\n firmware?: string,\n /** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,\n /** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,\n /** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,\n /** False if a device has a battery. */\n hasNoBattery?: boolean,\n /** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,\n /** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,\n /** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,\n /**\n * Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions.\n * @maxItems 2\n */\n homenetwork?: ({\n /**\n * Mobile Country Code\n * @min 200\n * @max 999\n */\n mcc?: number,\n /**\n * Mobile Network Code\n * @min 0\n * @max 999\n */\n mnc?: number,\n /**\n * Network Id, NID\n * @min 0\n * @max 65535\n */\n nid?: number,\n /**\n * System Id, SID\n * @min 1\n * @max 32767\n */\n sid?: number,\n\n})[],\n /**\n * Manufacturer of the device (hardware)\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model of the device (hardware)\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n /**\n * Software information of all updateable chips.\n * @maxItems 10\n */\n modules?: ({\n /**\n * Installed firmware version\n * @minLength 3\n * @maxLength 60\n */\n firmwareVersion?: string,\n /**\n * Manufacturer name\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model or chip name\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n\n})[],\n /**\n * Name of the client software accessing the HERE API\n * @minLength 3\n * @maxLength 50\n */\n name?: string,\n /**\n * Software platform information of the device, for example operating system name and version.\n * @minLength 3\n * @maxLength 50\n */\n platform?: string,\n /**\n * Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client.\n * @minLength 3\n * @maxLength 60\n */\n version?: string,\n\n},\n /** Values computed by HERE Tracking based on other data available. */\n computed?: {\n /**\n * Timestamp referring to the trace point when the asset was last detected moving.\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n */\n lastMovedTimestamp?: number,\n /**\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n */\n moving?: boolean,\n /** Online status of the device. Computed based on the device's reporting rate. If the device has not reported within the time frame of the reporting rate plus five minutes, the device is considered to be offline. If the reporting rate is not specified for the device, a default of 15 minutes is used. */\n online?: boolean,\n /** Indicates that HERE Tracking detected position to be a possible outlier. */\n outlier?: {\n /** HERE Tracking estimate of more correct position. */\n correctedPosition?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n /** Reason why position was considered to be an outlier. */\n reason: string,\n\n},\n\n},\n /**\n * SIM card integrated circuit card identifier (ICCID)\n * @minLength 18\n * @maxLength 22\n */\n iccid?: string,\n /**\n * The IMSI of the device's SIM card.\n * @pattern ^[0-9]{1,15}$\n * @example \"123456789012345\"\n */\n imsi?: string,\n /**\n * Tracker mode status of the device. When a tracker is in a normal mode, it\n * can send telemetry and, for example, use its GNSS receiver if it has one.\n * A tracker switches into flight mode once it detects that it's in an\n * airplane, and leaves that mode once airplane lands. Transport mode has to\n * be triggered by the user, and it's used, for example, during shipping from\n * continent to another. Sleep mode is used when a tracker is stored in\n * a warehouse, and it's triggered by entering or leaving some defined\n * geofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",\n /**\n * The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n * @pattern ^\\+[1-9]\\d{1,14}$\n * @example \"+491234567890\"\n */\n phoneNumber?: string,\n /** The last known device sensor data reported by the device. */\n reportedSensorData?: {\n /**\n * A g-force value of acceleration.\n * @min -100\n * @max 100\n */\n accelerationG?: number,\n /** True if device battery is charging. */\n batteryIsCharging?: boolean,\n /**\n * A value of percentage battery level.\n * @min 0\n * @max 100\n */\n batteryLevel?: number,\n /** True if device is attached to an object. */\n deviceIsAttached?: boolean,\n /** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,\n /** True if device is tampered. */\n deviceIsTampered?: boolean,\n /**\n * A value of pressure in hectopascal.\n * @min 300\n * @max 1500\n */\n pressureHpa?: number,\n /**\n * A value of relative humidity in percent.\n * @min 0\n * @max 100\n */\n relativeHumidity?: number,\n /**\n * A value of temperature in celcius.\n * @min -70\n * @max 100\n */\n temperatureC?: number,\n /** A value of tilt in degrees. */\n tiltDegree?: number,\n\n},\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion?: number,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The timestamp of the newest telemetry sent by the device. Note that this is not necessarily\n * the timestamp of all the reported values in the reported shadow since the shadow retains\n * values from previous ingestions if the latest telemetry did not conatain them.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n},\n\n}", + }, + ".__no_name.__no_name.body.reported.position.floor.name": { + "rendered": "\n/** The building name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.heading": { + "rendered": "\n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.satellitecount": { + "rendered": "\n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.speed": { + "rendered": "\n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.timestamp": { + "rendered": "\n/** Timestamp of the position */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.type": { + "rendered": "\n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.position.wlancount": { + "rendered": "\n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system": { + "rendered": "\n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, },", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client": { + "rendered": "\n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.accelerometerSensorRange": { + "rendered": "\n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.accelerometerSensorRange.__no_name": { + "rendered": "number", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.diagnosticscode": { + "rendered": "\n/** Device diagnostics code. */\n diagnosticscode?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.diskquota": { + "rendered": "\n/** Available disk quota in kilobytes. */\n diskquota?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.firmware": { + "rendered": "\n/** Device firmware version information */\n firmware?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.__no_name.body.reported.system.client.hasAccelerometerSensor": { + "rendered": "\n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasAttachSensor": { + "rendered": "\n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasHumiditySensor": { + "rendered": "\n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasNoBattery": { + "rendered": "\n/** False if a device has a battery. */\n hasNoBattery?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasPressureSensor": { + "rendered": "\n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasTamperSensor": { + "rendered": "\n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.hasTemperatureSensor": { + "rendered": "\n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork": { + "rendered": "\n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork.__no_name": { + "rendered": "{ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork.__no_name.mcc": { + "rendered": "\n/** Mobile Country Code */\n mcc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork.__no_name.mnc": { + "rendered": "\n/** Mobile Network Code */\n mnc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork.__no_name.nid": { + "rendered": "\n/** Network Id, NID */\n nid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.homenetwork.__no_name.sid": { + "rendered": "\n/** System Id, SID */\n sid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.manufacturer": { + "rendered": "\n/** Manufacturer of the device (hardware) */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.model": { + "rendered": "\n/** Model of the device (hardware) */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.modules": { + "rendered": "\n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.modules.__no_name": { + "rendered": "{ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.modules.__no_name.firmwareVersion": { + "rendered": "\n/** Installed firmware version */\n firmwareVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.modules.__no_name.manufacturer": { + "rendered": "\n/** Manufacturer name */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.modules.__no_name.model": { + "rendered": "\n/** Model or chip name */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.name": { + "rendered": "\n/** Name of the client software accessing the HERE API */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.platform": { + "rendered": "\n/** Software platform information of the device, for example operating system name and version. */\n platform?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.client.version": { + "rendered": "\n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.computed": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.iccid": { + "rendered": "\n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.imsi": { + "rendered": "\n/** The IMSI of the device's SIM card.\n */\n imsi?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.mode": { + "rendered": "\n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.__no_name.body.reported.system.phoneNumber": { + "rendered": "\n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData": { + "rendered": "\n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.accelerationG": { + "rendered": "\n/** A g-force value of acceleration. */\n accelerationG?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.batteryIsCharging": { + "rendered": "\n/** True if device battery is charging. */\n batteryIsCharging?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.batteryLevel": { + "rendered": "\n/** A value of percentage battery level. */\n batteryLevel?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.deviceIsAttached": { + "rendered": "\n/** True if device is attached to an object. */\n deviceIsAttached?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.deviceIsStationary": { + "rendered": "\n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.deviceIsTampered": { + "rendered": "\n/** True if device is tampered. */\n deviceIsTampered?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.pressureHpa": { + "rendered": "\n/** A value of pressure in hectopascal. */\n pressureHpa?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.relativeHumidity": { + "rendered": "\n/** A value of relative humidity in percent. */\n relativeHumidity?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.temperatureC": { + "rendered": "\n/** A value of temperature in celcius. */\n temperatureC?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.reportedSensorData.tiltDegree": { + "rendered": "\n/** A value of tilt in degrees. */\n tiltDegree?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.body.reported.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.externalId": { + "rendered": "\n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.statusCode": { + "rendered": " statusCode?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false } } }, - "get__/shadows/v2/{trackingId}/{state}": { + "get__/shadows/v2/health": { + "query": {}, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "{ \n/** Health status */\n message?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/shadows/v2/version": { + "query": {}, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "delete__/shadows/v2/{trackingId}": { "query": { ".query": { - "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, \n/** If `true`, all the values of the `desired` shadow will be cleared */\n desired?: boolean, \n/** If `true`, all the values of the `reported` shadow will be cleared */\n reported?: boolean, },", "requiresRelaxedTypeAnnotation": false }, ".query.appId": { "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".query.desired": { + "rendered": "\n/** If `true`, all the values of the `desired` shadow will be cleared */\n desired?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.reported": { + "rendered": "\n/** If `true`, all the values of the `reported` shadow will be cleared */\n reported?: boolean,", + "requiresRelaxedTypeAnnotation": false } }, "body": {}, "path": { ".trackingId": { - "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId: string,", + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId: string,", "requiresRelaxedTypeAnnotation": false - }, - ".state": { - "rendered": "\n/** Desired or reported state object of a device to query. */\n state: \"desired\" | \"reported\",", - "requiresRelaxedTypeAnnotation": true } }, "response": { ".__no_name": { - "rendered": "ShadowStateResponse", + "rendered": "hasuraSdk.JSONValue", "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { @@ -5581,7 +6137,1023 @@ } } }, - "get__/shadows/v2/{trackingId}/{state}/{selector}": { + "get__/shadows/v2/{trackingId}": { + "query": { + ".query": { + "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.appId": { + "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "{ \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired": { + "rendered": "\n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported": { + "rendered": "\n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.position": { + "rendered": "\n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.accuracy": { + "rendered": "\n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.alt": { + "rendered": "\n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.altaccuracy": { + "rendered": "\n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.confidence": { + "rendered": "\n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor": { + "rendered": "\n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.id": { + "rendered": "\n/** The building id */\n id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.level": { + "rendered": "\n/** The floor in the building in integer format */\n level?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.name": { + "rendered": "\n/** The building name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.heading": { + "rendered": "\n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.satellitecount": { + "rendered": "\n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.speed": { + "rendered": "\n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.timestamp": { + "rendered": "\n/** Timestamp of the position */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.type": { + "rendered": "\n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.wlancount": { + "rendered": "\n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system": { + "rendered": "\n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.system.client": { + "rendered": "\n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.accelerometerSensorRange": { + "rendered": "\n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.accelerometerSensorRange.__no_name": { + "rendered": "number", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.diagnosticscode": { + "rendered": "\n/** Device diagnostics code. */\n diagnosticscode?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.diskquota": { + "rendered": "\n/** Available disk quota in kilobytes. */\n diskquota?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.firmware": { + "rendered": "\n/** Device firmware version information */\n firmware?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasAccelerometerSensor": { + "rendered": "\n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasAttachSensor": { + "rendered": "\n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasHumiditySensor": { + "rendered": "\n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasNoBattery": { + "rendered": "\n/** False if a device has a battery. */\n hasNoBattery?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasPressureSensor": { + "rendered": "\n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasTamperSensor": { + "rendered": "\n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasTemperatureSensor": { + "rendered": "\n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork": { + "rendered": "\n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name": { + "rendered": "{ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.mcc": { + "rendered": "\n/** Mobile Country Code */\n mcc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.mnc": { + "rendered": "\n/** Mobile Network Code */\n mnc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.nid": { + "rendered": "\n/** Network Id, NID */\n nid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.sid": { + "rendered": "\n/** System Id, SID */\n sid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.manufacturer": { + "rendered": "\n/** Manufacturer of the device (hardware) */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.model": { + "rendered": "\n/** Model of the device (hardware) */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules": { + "rendered": "\n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name": { + "rendered": "{ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.firmwareVersion": { + "rendered": "\n/** Installed firmware version */\n firmwareVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.manufacturer": { + "rendered": "\n/** Manufacturer name */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.model": { + "rendered": "\n/** Model or chip name */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.name": { + "rendered": "\n/** Name of the client software accessing the HERE API */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.platform": { + "rendered": "\n/** Software platform information of the device, for example operating system name and version. */\n platform?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.version": { + "rendered": "\n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.computed": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.iccid": { + "rendered": "\n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.imsi": { + "rendered": "\n/** The IMSI of the device's SIM card.\n */\n imsi?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.mode": { + "rendered": "\n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.system.phoneNumber": { + "rendered": "\n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData": { + "rendered": "\n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.accelerationG": { + "rendered": "\n/** A g-force value of acceleration. */\n accelerationG?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.batteryIsCharging": { + "rendered": "\n/** True if device battery is charging. */\n batteryIsCharging?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.batteryLevel": { + "rendered": "\n/** A value of percentage battery level. */\n batteryLevel?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsAttached": { + "rendered": "\n/** True if device is attached to an object. */\n deviceIsAttached?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsStationary": { + "rendered": "\n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsTampered": { + "rendered": "\n/** True if device is tampered. */\n deviceIsTampered?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.pressureHpa": { + "rendered": "\n/** A value of pressure in hectopascal. */\n pressureHpa?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.relativeHumidity": { + "rendered": "\n/** A value of relative humidity in percent. */\n relativeHumidity?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.temperatureC": { + "rendered": "\n/** A value of temperature in celcius. */\n temperatureC?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.tiltDegree": { + "rendered": "\n/** A value of tilt in degrees. */\n tiltDegree?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "put__/shadows/v2/{trackingId}": { + "query": { + ".query": { + "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.appId": { + "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": { + ".data": { + "rendered": "\n/** Request body */\n data: {\n /** The desired shadow of the device. */\n desired: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /**\n * Contains values for the device configuration. HERE Tracking uses these values\n * for various application flows.\n */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n\n},\n\n},", + "requiresRelaxedTypeAnnotation": true + }, + ".data.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name.__no_name.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + }, + ".data.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { + "rendered": "__undefined", + "requiresRelaxedTypeAnnotation": false + } + }, + "path": { + ".trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "{ \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired": { + "rendered": "\n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.desired.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported": { + "rendered": "\n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.position": { + "rendered": "\n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.accuracy": { + "rendered": "\n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.alt": { + "rendered": "\n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.altaccuracy": { + "rendered": "\n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.confidence": { + "rendered": "\n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor": { + "rendered": "\n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.id": { + "rendered": "\n/** The building id */\n id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.level": { + "rendered": "\n/** The floor in the building in integer format */\n level?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.floor.name": { + "rendered": "\n/** The building name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.heading": { + "rendered": "\n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.satellitecount": { + "rendered": "\n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.speed": { + "rendered": "\n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.timestamp": { + "rendered": "\n/** Timestamp of the position */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.type": { + "rendered": "\n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.position.wlancount": { + "rendered": "\n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system": { + "rendered": "\n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.system.client": { + "rendered": "\n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.accelerometerSensorRange": { + "rendered": "\n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.accelerometerSensorRange.__no_name": { + "rendered": "number", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.diagnosticscode": { + "rendered": "\n/** Device diagnostics code. */\n diagnosticscode?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.diskquota": { + "rendered": "\n/** Available disk quota in kilobytes. */\n diskquota?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.firmware": { + "rendered": "\n/** Device firmware version information */\n firmware?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasAccelerometerSensor": { + "rendered": "\n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasAttachSensor": { + "rendered": "\n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasHumiditySensor": { + "rendered": "\n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasNoBattery": { + "rendered": "\n/** False if a device has a battery. */\n hasNoBattery?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasPressureSensor": { + "rendered": "\n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasTamperSensor": { + "rendered": "\n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.hasTemperatureSensor": { + "rendered": "\n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork": { + "rendered": "\n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name": { + "rendered": "{ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.mcc": { + "rendered": "\n/** Mobile Country Code */\n mcc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.mnc": { + "rendered": "\n/** Mobile Network Code */\n mnc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.nid": { + "rendered": "\n/** Network Id, NID */\n nid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.homenetwork.__no_name.sid": { + "rendered": "\n/** System Id, SID */\n sid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.manufacturer": { + "rendered": "\n/** Manufacturer of the device (hardware) */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.model": { + "rendered": "\n/** Model of the device (hardware) */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules": { + "rendered": "\n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name": { + "rendered": "{ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.firmwareVersion": { + "rendered": "\n/** Installed firmware version */\n firmwareVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.manufacturer": { + "rendered": "\n/** Manufacturer name */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.modules.__no_name.model": { + "rendered": "\n/** Model or chip name */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.name": { + "rendered": "\n/** Name of the client software accessing the HERE API */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.platform": { + "rendered": "\n/** Software platform information of the device, for example operating system name and version. */\n platform?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.client.version": { + "rendered": "\n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.computed": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.iccid": { + "rendered": "\n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.imsi": { + "rendered": "\n/** The IMSI of the device's SIM card.\n */\n imsi?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.mode": { + "rendered": "\n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.reported.system.phoneNumber": { + "rendered": "\n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData": { + "rendered": "\n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.accelerationG": { + "rendered": "\n/** A g-force value of acceleration. */\n accelerationG?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.batteryIsCharging": { + "rendered": "\n/** True if device battery is charging. */\n batteryIsCharging?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.batteryLevel": { + "rendered": "\n/** A value of percentage battery level. */\n batteryLevel?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsAttached": { + "rendered": "\n/** True if device is attached to an object. */\n deviceIsAttached?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsStationary": { + "rendered": "\n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.deviceIsTampered": { + "rendered": "\n/** True if device is tampered. */\n deviceIsTampered?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.pressureHpa": { + "rendered": "\n/** A value of pressure in hectopascal. */\n pressureHpa?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.relativeHumidity": { + "rendered": "\n/** A value of relative humidity in percent. */\n relativeHumidity?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.temperatureC": { + "rendered": "\n/** A value of temperature in celcius. */\n temperatureC?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.reportedSensorData.tiltDegree": { + "rendered": "\n/** A value of tilt in degrees. */\n tiltDegree?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reported.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number,", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/shadows/v2/{trackingId}/{state}": { + "query": { + ".query": { + "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.appId": { + "rendered": "\n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".state": { + "rendered": "\n/** Desired or reported state object of a device to query. */\n state: \"desired\" | \"reported\",", + "requiresRelaxedTypeAnnotation": true + } + }, + "response": { + ".__no_name": { + "rendered": "{ \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, } | { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }", + "requiresRelaxedTypeAnnotation": true + } + } + }, + "get__/shadows/v2/{trackingId}/{state}/{selector}": { "query": { ".query": { "rendered": " query: { \n/** Application identifier. Used together with an external ID to identify a virtual device. */\n appId?: string, },", @@ -5609,12 +7181,8 @@ }, "response": { ".__no_name": { - "rendered": "(hasuraSdk.JSONValue | (any)[])", + "rendered": "hasuraSdk.JSONValue | ()[]", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5624,80 +7192,528 @@ "rendered": " query: { \n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string, \n/** A token from the previously returned response to retrieve the specified page. */\n pageToken?: string, \n/** The number of items to return per page */\n limit?: number, \n/** If provided returns the shadows for which `reported.timestamp` is greater than given `after` parameter. */\n after?: string, \n/** Defines how the items are sorted.\nThe default sort is `sort=trackingId:asc`\n */\n sort?: string, \n/** Limit search to shadows, whose position intersects the given bounding box.\nThe `bbox` array consist of latitude and longitude of Northwest and Southeast corners.\n */\n bbox?: (number)[], },", "requiresRelaxedTypeAnnotation": false }, - ".query.projectId": { - "rendered": "\n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string,", + ".query.projectId": { + "rendered": "\n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pageToken": { + "rendered": "\n/** A token from the previously returned response to retrieve the specified page. */\n pageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** The number of items to return per page */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.after": { + "rendered": "\n/** If provided returns the shadows for which `reported.timestamp` is greater than given `after` parameter. */\n after?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sort": { + "rendered": "\n/** Defines how the items are sorted.\nThe default sort is `sort=trackingId:asc`\n */\n sort?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.bbox": { + "rendered": "\n/** Limit search to shadows, whose position intersects the given bounding box.\nThe `bbox` array consist of latitude and longitude of Northwest and Southeast corners.\n */\n bbox?: (number)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".query.bbox.__no_name": { + "rendered": "number", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, shadow: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** The time of the last update to the desired shadow.\n */\n timestamp?: string, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** This describes when the reported measurements were taken.\n */\n timestamp?: string, }, }, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items": { + "rendered": " items?: ({ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, shadow: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** The time of the last update to the desired shadow.\n */\n timestamp?: string, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** This describes when the reported measurements were taken.\n */\n timestamp?: string, }, }, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, shadow: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** The time of the last update to the desired shadow.\n */\n timestamp?: string, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** This describes when the reported measurements were taken.\n */\n timestamp?: string, }, }, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.appId": { + "rendered": "\n/** Virtual device application ID, only present when the device is virtual */\n appId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.externalId": { + "rendered": "\n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow": { + "rendered": " shadow: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** The time of the last update to the desired shadow.\n */\n timestamp?: string, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** This describes when the reported measurements were taken.\n */\n timestamp?: string, }, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired": { + "rendered": "\n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** The time of the last update to the desired shadow.\n */\n timestamp?: string, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string, \n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Begin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** End time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** The time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.desired.timestamp": { + "rendered": "\n/** The time of the last update to the desired shadow.\n */\n timestamp?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported": { + "rendered": "\n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** This describes when the reported measurements were taken.\n */\n timestamp?: string, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.reported.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.reported.position": { + "rendered": "\n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: string, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.accuracy": { + "rendered": "\n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.alt": { + "rendered": "\n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.altaccuracy": { + "rendered": "\n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.confidence": { + "rendered": "\n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.floor": { + "rendered": "\n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.floor.id": { + "rendered": "\n/** The building id */\n id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.floor.level": { + "rendered": "\n/** The floor in the building in integer format */\n level?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.floor.name": { + "rendered": "\n/** The building name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.heading": { + "rendered": "\n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.lat": { + "rendered": "\n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.lng": { + "rendered": "\n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.satellitecount": { + "rendered": "\n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.speed": { + "rendered": "\n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.timestamp": { + "rendered": "\n/** Timestamp of the position */\n timestamp?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.type": { + "rendered": "\n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.position.wlancount": { + "rendered": "\n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system": { + "rendered": "\n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.reported.system.client": { + "rendered": "\n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.accelerometerSensorRange": { + "rendered": "\n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.accelerometerSensorRange.__no_name": { + "rendered": "number", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.diagnosticscode": { + "rendered": "\n/** Device diagnostics code. */\n diagnosticscode?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.diskquota": { + "rendered": "\n/** Available disk quota in kilobytes. */\n diskquota?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.firmware": { + "rendered": "\n/** Device firmware version information */\n firmware?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasAccelerometerSensor": { + "rendered": "\n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasAttachSensor": { + "rendered": "\n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasHumiditySensor": { + "rendered": "\n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasNoBattery": { + "rendered": "\n/** False if a device has a battery. */\n hasNoBattery?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasPressureSensor": { + "rendered": "\n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasTamperSensor": { + "rendered": "\n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.hasTemperatureSensor": { + "rendered": "\n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork": { + "rendered": "\n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork.__no_name": { + "rendered": "{ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork.__no_name.mcc": { + "rendered": "\n/** Mobile Country Code */\n mcc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork.__no_name.mnc": { + "rendered": "\n/** Mobile Network Code */\n mnc?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork.__no_name.nid": { + "rendered": "\n/** Network Id, NID */\n nid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.homenetwork.__no_name.sid": { + "rendered": "\n/** System Id, SID */\n sid?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.manufacturer": { + "rendered": "\n/** Manufacturer of the device (hardware) */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.model": { + "rendered": "\n/** Model of the device (hardware) */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.modules": { + "rendered": "\n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.modules.__no_name": { + "rendered": "{ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.modules.__no_name.firmwareVersion": { + "rendered": "\n/** Installed firmware version */\n firmwareVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.modules.__no_name.manufacturer": { + "rendered": "\n/** Manufacturer name */\n manufacturer?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.modules.__no_name.model": { + "rendered": "\n/** Model or chip name */\n model?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.name": { + "rendered": "\n/** Name of the client software accessing the HERE API */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.platform": { + "rendered": "\n/** Software platform information of the device, for example operating system name and version. */\n platform?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.client.version": { + "rendered": "\n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shadow.reported.system.computed": { + "rendered": "", "requiresRelaxedTypeAnnotation": false }, - ".query.pageToken": { - "rendered": "\n/** A token from the previously returned response to retrieve the specified page. */\n pageToken?: string,", + ".__no_name.items.__no_name.shadow.reported.system.iccid": { + "rendered": "\n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.limit": { - "rendered": "\n/** The number of items to return per page */\n limit?: number,", + ".__no_name.items.__no_name.shadow.reported.system.imsi": { + "rendered": "\n/** The IMSI of the device's SIM card.\n */\n imsi?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.after": { - "rendered": "\n/** If provided returns the shadows for which `reported.timestamp` is greater than given `after` parameter. */\n after?: string,", + ".__no_name.items.__no_name.shadow.reported.system.mode": { + "rendered": "\n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shadow.reported.system.phoneNumber": { + "rendered": "\n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.sort": { - "rendered": "\n/** Defines how the items are sorted.\nThe default sort is `sort=trackingId:asc`\n */\n sort?: string,", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData": { + "rendered": "\n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".query.bbox": { - "rendered": "\n/** Limit search to shadows, whose position intersects the given bounding box.\nThe `bbox` array consist of latitude and longitude of Northwest and Southeast corners.\n */\n bbox?: (number)[],", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.accelerationG": { + "rendered": "\n/** A g-force value of acceleration. */\n accelerationG?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.bbox.__no_name": { - "rendered": "number", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.batteryIsCharging": { + "rendered": "\n/** True if device battery is charging. */\n batteryIsCharging?: boolean,", "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 1000\n */\n count: number,\n items: ({\n /**\n * Virtual device application ID, only present when the device is virtual\n * @minLength 8\n */\n appId?: string,\n /**\n * Virtual device external ID, only present when the device is virtual\n * @minLength 1\n * @maxLength 50\n */\n externalId?: string,\n shadow: {\n /** The desired shadow of the device. */\n desired: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** Contains device configuration settings. */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @format date-time\n */\n begin?: string,\n /**\n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @format date-time\n */\n end?: string,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /**\n * The time of the last update to geofences that device is associated\n * with. This value is zero when device hasn't yet been associated with\n * any geofence. This is set by HERE Tracking when any geofences\n * associated with the device is modified or removed. Also adding and\n * removing geofence associations update this value.\n * @format date-time\n */\n lastModifiedGeofenceTimestamp: string,\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /** The device sensors alarm configuration. */\n sensorAlarmConfig?: {\n /** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,\n /** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,\n /** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,\n /** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,\n /** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,\n /** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,\n /** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,\n /** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,\n /** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,\n /** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,\n /** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,\n /** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,\n /**\n * True if attach sensor alert in device is enabled.\n * @default false\n */\n isAttachAlertEnabled?: boolean,\n /**\n * True if tamper sensor alert in device is enabled.\n * @default false\n */\n isTamperAlertEnabled?: boolean,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion: number,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n /**\n * The time of the last update to the desired shadow.\n * @format date-time\n */\n timestamp?: string,\n\n},\n /**\n * The `reported` shadow contains the most recent position, sensor readings and settings that the\n * device has sent. The reported shadow may also contain additional properties generated by HERE \n * Tracking based on the device-ingested telemetry.\n * Such properties are stored in `system.computed` property of the shadow.\n * \n * In case the most recent telemetry did not contain all the possible\n * fields, the last known information will remain in the shadow. This means that one can\n * see, for example, the last reported temperature or tracker firmware information in the reported shadow,\n * even if the device did not send that information in the latest telemetry.\n */\n reported: {\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** The device location */\n position?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number,\n /**\n * Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n altaccuracy?: number,\n /**\n * Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level).\n * @min 50\n * @max 95\n */\n confidence?: number,\n /** The building where the measurements were taken */\n floor?: {\n /**\n * The building id\n * @min 1\n * @max 100\n */\n id: string,\n /**\n * The floor in the building in integer format\n * @min -999\n * @max 999\n */\n level: number,\n /**\n * The building name\n * @min 1\n * @max 255\n */\n name: string,\n\n},\n /**\n * GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed.\n * @min 0\n * @max 359\n */\n heading?: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only)\n * @min 1\n * @max 50\n */\n satellitecount?: number,\n /**\n * GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading.\n * @min 0\n */\n speed?: number,\n /**\n * Timestamp of the position\n * @format date-time\n */\n timestamp?: string,\n /** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string,\n /**\n * The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only)\n * @min 1\n * @max 254\n */\n wlancount?: number,\n\n},\n /**\n * Contains device-reported sensor data and device configuration settings.\n * `stateVersion` property contains the version of the last\n * known `desired` state seen by the device.\n */\n system?: {\n /**\n * Information about the client device.\n * @example {\"accelerometerSensorRange\":[2],\"diagnosticscode\":0,\"diskquota\":256,\"firmware\":\"heroltexx...\",\"hasAccelerometerSensor\":true,\"hasAttachSensor\":true,\"hasHumiditySensor\":true,\"hasNoBattery\":false,\"hasPressureSensor\":true,\"hasTamperSensor\":true,\"hasTemperatureSensor\":true,\"homenetwork\":[],\"manufacturer\":\"Samsung\",\"model\":\"SM-G930F\",\"name\":\"HERE Tracker\",\"platform\":\"Android\",\"version\":\"1.6.1\"}\n */\n client?: {\n /**\n * Specifies the range of measurable acceleration, representation\n * unit g (9.8 m/s^2). If more than one accelerometer is available,\n * each element in the list will represent individual accelerometer.\n * Each value represents a single \"+/-\" range.\n * For example, value 2 means that sensor is capable to measure\n * acceleration within the range of [-2 g, +2 g].\n * @maxItems 5\n */\n accelerometerSensorRange?: (number)[],\n /** Device diagnostics code. */\n diagnosticscode?: number,\n /**\n * Available disk quota in kilobytes.\n * @min 0\n */\n diskquota?: number,\n /**\n * Device firmware version information\n * @minLength 1\n * @maxLength 150\n */\n firmware?: string,\n /** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean,\n /** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean,\n /** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean,\n /** False if a device has a battery. */\n hasNoBattery?: boolean,\n /** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean,\n /** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean,\n /** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean,\n /**\n * Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions.\n * @maxItems 2\n */\n homenetwork?: ({\n /**\n * Mobile Country Code\n * @min 200\n * @max 999\n */\n mcc?: number,\n /**\n * Mobile Network Code\n * @min 0\n * @max 999\n */\n mnc?: number,\n /**\n * Network Id, NID\n * @min 0\n * @max 65535\n */\n nid?: number,\n /**\n * System Id, SID\n * @min 1\n * @max 32767\n */\n sid?: number,\n\n})[],\n /**\n * Manufacturer of the device (hardware)\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model of the device (hardware)\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n /**\n * Software information of all updateable chips.\n * @maxItems 10\n */\n modules?: ({\n /**\n * Installed firmware version\n * @minLength 3\n * @maxLength 60\n */\n firmwareVersion?: string,\n /**\n * Manufacturer name\n * @minLength 2\n * @maxLength 50\n */\n manufacturer?: string,\n /**\n * Model or chip name\n * @minLength 1\n * @maxLength 50\n */\n model?: string,\n\n})[],\n /**\n * Name of the client software accessing the HERE API\n * @minLength 3\n * @maxLength 50\n */\n name?: string,\n /**\n * Software platform information of the device, for example operating system name and version.\n * @minLength 3\n * @maxLength 50\n */\n platform?: string,\n /**\n * Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client.\n * @minLength 3\n * @maxLength 60\n */\n version?: string,\n\n},\n /** Values computed by HERE Tracking based on other data available. */\n computed?: {\n /**\n * Timestamp referring to the trace point when the asset was last detected moving.\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n * @format date-time\n */\n lastMovedTimestamp?: string,\n /**\n * Asset is considered moving if the positions of two consecutive trace points differ more\n * than the combined positioning accuracy + 100 meters.\n */\n moving?: boolean,\n /** Online status of the device. Computed based on the device's reporting rate. If the device has not reported within the time frame of the reporting rate plus five minutes, the device is considered to be offline. If the reporting rate is not specified for the device, a default of 15 minutes is used. */\n online?: boolean,\n /** Indicates that HERE Tracking detected position to be a possible outlier. */\n outlier?: {\n /** HERE Tracking estimate of more correct position. */\n correctedPosition?: {\n /**\n * Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter).\n * @min 0\n */\n accuracy: number,\n /**\n * Latitude in WGS-84 format, decimal representation ranging from -90 to 90.\n * @min -90\n * @max 90\n */\n lat: number,\n /**\n * Longitude in WGS-84 format, decimal representation ranging from -180 to 180.\n * @min -180\n * @max 180\n */\n lng: number,\n /**\n * Timestamp for the corrected position\n * @format date-time\n */\n timestamp?: string,\n\n},\n /** Reason why position was considered to be an outlier. */\n reason: string,\n\n},\n\n},\n /**\n * SIM card integrated circuit card identifier (ICCID)\n * @minLength 18\n * @maxLength 22\n */\n iccid?: string,\n /**\n * The IMSI of the device's SIM card.\n * @pattern ^[0-9]{1,15}$\n * @example \"123456789012345\"\n */\n imsi?: string,\n /**\n * Tracker mode status of the device. When a tracker is in a normal mode, it\n * can send telemetry and, for example, use its GNSS receiver if it has one.\n * A tracker switches into flight mode once it detects that it's in an\n * airplane, and leaves that mode once airplane lands. Transport mode has to\n * be triggered by the user, and it's used, for example, during shipping from\n * continent to another. Sleep mode is used when a tracker is stored in\n * a warehouse, and it's triggered by entering or leaving some defined\n * geofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\",\n /**\n * The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n * @pattern ^\\+[1-9]\\d{1,14}$\n * @example \"+491234567890\"\n */\n phoneNumber?: string,\n /** The last known device sensor data reported by the device. */\n reportedSensorData?: {\n /**\n * A g-force value of acceleration.\n * @min -100\n * @max 100\n */\n accelerationG?: number,\n /** True if device battery is charging. */\n batteryIsCharging?: boolean,\n /**\n * A value of percentage battery level.\n * @min 0\n * @max 100\n */\n batteryLevel?: number,\n /** True if device is attached to an object. */\n deviceIsAttached?: boolean,\n /** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,\n /** True if device is tampered. */\n deviceIsTampered?: boolean,\n /**\n * A value of pressure in hectopascal.\n * @min 300\n * @max 1500\n */\n pressureHpa?: number,\n /**\n * A value of relative humidity in percent.\n * @min 0\n * @max 100\n */\n relativeHumidity?: number,\n /**\n * A value of temperature in celcius.\n * @min -70\n * @max 100\n */\n temperatureC?: number,\n /** A value of tilt in degrees. */\n tiltDegree?: number,\n\n},\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion?: number,\n\n},\n /**\n * This describes when the reported measurements were taken.\n * @format date-time\n */\n timestamp?: string,\n\n},\n\n},\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 1000\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", - "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.batteryLevel": { + "rendered": "\n/** A value of percentage battery level. */\n batteryLevel?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.deviceIsAttached": { + "rendered": "\n/** True if device is attached to an object. */\n deviceIsAttached?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.deviceIsStationary": { + "rendered": "\n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.deviceIsTampered": { + "rendered": "\n/** True if device is tampered. */\n deviceIsTampered?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.pressureHpa": { + "rendered": "\n/** A value of pressure in hectopascal. */\n pressureHpa?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.relativeHumidity": { + "rendered": "\n/** A value of relative humidity in percent. */\n relativeHumidity?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.temperatureC": { + "rendered": "\n/** A value of temperature in celcius. */\n temperatureC?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.reportedSensorData.tiltDegree": { + "rendered": "\n/** A value of tilt in degrees. */\n tiltDegree?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shadow.reported.timestamp": { + "rendered": "\n/** This describes when the reported measurements were taken.\n */\n timestamp?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5734,15 +7750,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Shipment report ID\n * @pattern ^SHPR-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentReportId: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Shipment report ID */\n shipmentReportId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.shipmentReportId": { + "rendered": "\n/** Shipment report ID */\n shipmentReportId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5753,15 +7765,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5772,11 +7780,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5792,20 +7796,36 @@ }, "response": { ".__no_name": { - "rendered": "{\n error?: {\n /** An HTTP status code */\n code: number,\n /** An optional object containing more information about the error */\n details?: any,\n /** An HTTP error description */\n error: string,\n /**\n * An error ID that allows you to trace the error details\n * @format uuid\n */\n id: string,\n /** Descriptive text that explains the error */\n message?: string,\n\n},\n status: \"completed\" | \"failed\" | \"ongoing\" | \"pending\",\n\n}", + "rendered": "{ error: { \n/** An HTTP status code */\n code?: number, \n/** An HTTP error description */\n error?: string, \n/** An error ID that allows you to trace the error details */\n id?: string, \n/** Descriptive text that explains the error */\n message?: string, }, status?: \"completed\" | \"failed\" | \"ongoing\" | \"pending\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.error": { + "rendered": " error: { \n/** An HTTP status code */\n code?: number, \n/** An HTTP error description */\n error?: string, \n/** An error ID that allows you to trace the error details */\n id?: string, \n/** Descriptive text that explains the error */\n message?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.error.code": { + "rendered": "\n/** An HTTP status code */\n code?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.error.details": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.error.error": { + "rendered": "\n/** An HTTP error description */\n error?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.error.id": { + "rendered": "\n/** An error ID that allows you to trace the error details */\n id?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.error.message": { + "rendered": "\n/** Descriptive text that explains the error */\n message?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: \"completed\" | \"failed\" | \"ongoing\" | \"pending\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5820,15 +7840,35 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * When generation of the shipment report was completed.\n * @format date-time\n */\n completedAt: string,\n /**\n * When generation of the shipment report was started.\n * @format date-time\n */\n createdAt: string,\n /** Count of locations over all segment plans in the shipment report. */\n totalLocationCount: number,\n /** Count of segment plans in the shipments report. */\n totalSegmentPlanCount: number,\n /** Count of segments over all segment plans in the shipment report. */\n totalSegmentsCount: number,\n /** Count of shipment plans in the shipments report. */\n totalShipmentPlanCount: number,\n /** Count of shipments over all shipment plans in the shipment report. */\n totalShipmentsCount: number,\n\n}", + "rendered": "{ \n/** When generation of the shipment report was completed.\n */\n completedAt?: string, \n/** When generation of the shipment report was started.\n */\n createdAt?: string, \n/** Count of locations over all segment plans in the shipment report.\n */\n totalLocationCount?: number, \n/** Count of segment plans in the shipments report.\n */\n totalSegmentPlanCount?: number, \n/** Count of segments over all segment plans in the shipment report.\n */\n totalSegmentsCount?: number, \n/** Count of shipment plans in the shipments report.\n */\n totalShipmentPlanCount?: number, \n/** Count of shipments over all shipment plans in the shipment report.\n */\n totalShipmentsCount?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.completedAt": { + "rendered": "\n/** When generation of the shipment report was completed.\n */\n completedAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.createdAt": { + "rendered": "\n/** When generation of the shipment report was started.\n */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.totalLocationCount": { + "rendered": "\n/** Count of locations over all segment plans in the shipment report.\n */\n totalLocationCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.totalSegmentPlanCount": { + "rendered": "\n/** Count of segment plans in the shipments report.\n */\n totalSegmentPlanCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.totalSegmentsCount": { + "rendered": "\n/** Count of segments over all segment plans in the shipment report.\n */\n totalSegmentsCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.totalShipmentPlanCount": { + "rendered": "\n/** Count of shipment plans in the shipments report.\n */\n totalShipmentPlanCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.totalShipmentsCount": { + "rendered": "\n/** Count of shipments over all shipment plans in the shipment report.\n */\n totalShipmentsCount?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -5865,27 +7905,71 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count?: number,\n items?: ({\n /**\n * Combination of shipmentId, shipmentPlanId, segmentId, segmentPlanId or locationId based on\n * the given metric.\n */\n ids?: {\n /**\n * Location ID\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n locationId?: string,\n /**\n * Segment ID\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId?: string,\n /**\n * Segment plan ID\n * @pattern ^SEGP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentPlanId?: string,\n /**\n * Shipment ID\n * @pattern ^SHP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentId?: string,\n /**\n * Shipment plan ID\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId?: string,\n\n},\n /** Calculated statistics of the given metric. */\n statistics?: {\n /** Average value taken over metric values. */\n avg?: number,\n /** Value of a metric. */\n val?: number,\n\n},\n /** How many inputs were used to calculate the given metric. */\n statisticsCount?: number,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit?: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /**\n * Total number of items\n * @min 0\n */\n total?: number,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Combination of shipmentId, shipmentPlanId, segmentId, segmentPlanId or locationId based on\nthe given metric.\n */\n ids?: { \n/** Location ID */\n locationId?: string, \n/** Segment ID */\n segmentId?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Shipment plan ID */\n shipmentPlanId?: string, }, \n/** Calculated statistics of the given metric.\n */\n statistics?: { \n/** Average value taken over metric values.\n */\n avg?: number, \n/** Value of a metric.\n */\n val?: number, }, \n/** How many inputs were used to calculate the given metric.\n */\n statisticsCount?: number, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Total number of items */\n total?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Combination of shipmentId, shipmentPlanId, segmentId, segmentPlanId or locationId based on\nthe given metric.\n */\n ids?: { \n/** Location ID */\n locationId?: string, \n/** Segment ID */\n segmentId?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Shipment plan ID */\n shipmentPlanId?: string, }, \n/** Calculated statistics of the given metric.\n */\n statistics?: { \n/** Average value taken over metric values.\n */\n avg?: number, \n/** Value of a metric.\n */\n val?: number, }, \n/** How many inputs were used to calculate the given metric.\n */\n statisticsCount?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Combination of shipmentId, shipmentPlanId, segmentId, segmentPlanId or locationId based on\nthe given metric.\n */\n ids?: { \n/** Location ID */\n locationId?: string, \n/** Segment ID */\n segmentId?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Shipment plan ID */\n shipmentPlanId?: string, }, \n/** Calculated statistics of the given metric.\n */\n statistics?: { \n/** Average value taken over metric values.\n */\n avg?: number, \n/** Value of a metric.\n */\n val?: number, }, \n/** How many inputs were used to calculate the given metric.\n */\n statisticsCount?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.ids": { + "rendered": "\n/** Combination of shipmentId, shipmentPlanId, segmentId, segmentPlanId or locationId based on\nthe given metric.\n */\n ids?: { \n/** Location ID */\n locationId?: string, \n/** Segment ID */\n segmentId?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Shipment plan ID */\n shipmentPlanId?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.ids.locationId": { + "rendered": "\n/** Location ID */\n locationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ids.segmentId": { + "rendered": "\n/** Segment ID */\n segmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ids.segmentPlanId": { + "rendered": "\n/** Segment plan ID */\n segmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ids.shipmentId": { + "rendered": "\n/** Shipment ID */\n shipmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ids.shipmentPlanId": { + "rendered": "\n/** Shipment plan ID */\n shipmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.statistics": { + "rendered": "\n/** Calculated statistics of the given metric.\n */\n statistics?: { \n/** Average value taken over metric values.\n */\n avg?: number, \n/** Value of a metric.\n */\n val?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.statistics.avg": { + "rendered": "\n/** Average value taken over metric values.\n */\n avg?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.statistics.val": { + "rendered": "\n/** Value of a metric.\n */\n val?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.statisticsCount": { + "rendered": "\n/** How many inputs were used to calculate the given metric.\n */\n statisticsCount?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** Total number of items */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -5985,31 +8069,163 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * A boolean parameter defining whether the shipment starts upon exiting the first origin\n * location.\n */\n autoStart: boolean,\n /**\n * Calculated ETA for the shipment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the shipment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when the shipment has been created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the shipment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Timestamp indicating when the shipment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the shipment\n * @maxLength 50\n */\n name?: string,\n /**\n * User provided ETA for the shipment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the shipment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Array of `ruleId`s to associate with the shipment\n * @maxItems 10\n */\n ruleIds?: (string)[],\n /** Array containing the segment details */\n segments: ({\n /**\n * Calculated ETA for the segment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the segment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when this segment created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Timestamp indicating when this segment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * User provided ETA for the segment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the segment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Segment ID\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId?: string,\n /**\n * Timestamp indicating when this segment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n})[],\n /**\n * Shipment ID\n * @pattern ^SHP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentId: string,\n /**\n * A shipment plan's id that the shipment was generated from.\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId?: string,\n /**\n * Timestamp indicating when the shipment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the shipment */\n status: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /** Total number of shipments for query */\n total?: number,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Calculated ETA for the shipment */\n calculatedEta?: string, \n/** Calculated ETD for the shipment */\n calculatedEtd?: string, \n/** Timestamp indicating when the shipment has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Timestamp indicating when the shipment ended */\n endedAt?: string, \n/** Name of the shipment */\n name?: string, \n/** User provided ETA for the shipment */\n providedEta?: string, \n/** User provided ETD for the shipment */\n providedEtd?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment ID */\n shipmentId?: string, \n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string, \n/** Timestamp indicating when the shipment started */\n startedAt?: string, \n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Total number of shipments for query */\n total?: number, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Calculated ETA for the shipment */\n calculatedEta?: string, \n/** Calculated ETD for the shipment */\n calculatedEtd?: string, \n/** Timestamp indicating when the shipment has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Timestamp indicating when the shipment ended */\n endedAt?: string, \n/** Name of the shipment */\n name?: string, \n/** User provided ETA for the shipment */\n providedEta?: string, \n/** User provided ETD for the shipment */\n providedEtd?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment ID */\n shipmentId?: string, \n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string, \n/** Timestamp indicating when the shipment started */\n startedAt?: string, \n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Calculated ETA for the shipment */\n calculatedEta?: string, \n/** Calculated ETD for the shipment */\n calculatedEtd?: string, \n/** Timestamp indicating when the shipment has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Timestamp indicating when the shipment ended */\n endedAt?: string, \n/** Name of the shipment */\n name?: string, \n/** User provided ETA for the shipment */\n providedEta?: string, \n/** User provided ETD for the shipment */\n providedEtd?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment ID */\n shipmentId?: string, \n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string, \n/** Timestamp indicating when the shipment started */\n startedAt?: string, \n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.autoStart": { + "rendered": "\n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the shipment */\n calculatedEta?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the shipment */\n calculatedEtd?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when the shipment has been created */\n createdAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.description": { + "rendered": "\n/** Description of the shipment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when the shipment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** Name of the shipment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the shipment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the shipment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ruleIds": { + "rendered": "\n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ruleIds.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments": { + "rendered": "\n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.segments.__no_name": { + "rendered": "{ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.segments.__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the segment */\n calculatedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the segment */\n calculatedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when this segment created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when this segment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the segment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the segment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.segmentId": { + "rendered": "\n/** Segment ID */\n segmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when this segment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.status": { + "rendered": "\n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.segments.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments.__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.shipmentId": { + "rendered": "\n/** Shipment ID */\n shipmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shipmentPlanId": { + "rendered": "\n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when the shipment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.status": { + "rendered": "\n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.subShipment": { + "rendered": "\n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** Total number of shipments for query */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -6038,15 +8254,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Shipment ID\n * @pattern ^SHP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentId: string,\n\n}", + "rendered": "{ \n/** Shipment ID */\n shipmentId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.shipmentId": { + "rendered": "\n/** Shipment ID */\n shipmentId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6057,15 +8269,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6104,72 +8312,144 @@ "rendered": "\n/** Project ID.\nAny HERE Tracking user must be a member of a Tracking project.\nThe project ID can be implicitly resolved if the user calling the API is a member of a single project.\nIf the user is a member of multiple projects, the `projectId` query parameter needs to be specified explicitly.\n */\n projectId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.pageToken": { - "rendered": "\n/** A token from the previously returned response to retrieve the specified page. */\n pageToken?: string,", - "requiresRelaxedTypeAnnotation": false + ".query.pageToken": { + "rendered": "\n/** A token from the previously returned response to retrieve the specified page. */\n pageToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** The number of items to return per page */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.name": { + "rendered": "\n/** Filter shipments by name. Matching is case-insensitive.\nThe following wildcards can be used:\n'*' matches any number of any characters,\n'?' matches any single character.\n */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.shipmentPlanId": { + "rendered": "\n/** Return only shipment plans that have been instantiated from the specified `shipmentPlanId`\nMatching is case-insensitive.\nThe following wildcards can be used:\n'*' matches any number of any characters,\n'?' matches any single character.\n */\n shipmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.locationId": { + "rendered": "\n/** Return only shipments that have been instantiated from the specified `locationId`\n */\n locationId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.createdBefore": { + "rendered": "\n/** Return only shipments that have been created before specified timestamp */\n createdBefore?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.createdAfter": { + "rendered": "\n/** Return only shipments that have been created after specified timestamp */\n createdAfter?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.isSubShipment": { + "rendered": "\n/** Returns only shipments marked as subShipments */\n isSubShipment?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sort": { + "rendered": "\n/** A paramater to specify field to sort by and order.\nAllowed fields to sort by: shipmentPlanId, name, createdAt\n */\n sort?: string | (string)[],", + "requiresRelaxedTypeAnnotation": true + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Name of the shipment */\n name?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment plan ID */\n shipmentPlanId?: string, \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, \n/** Total count of matching results */\n total?: number, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items": { + "rendered": " items?: ({ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Name of the shipment */\n name?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment plan ID */\n shipmentPlanId?: string, \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Name of the shipment */\n name?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment plan ID */\n shipmentPlanId?: string, \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.autoStart": { + "rendered": "\n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.description": { + "rendered": "\n/** Description of the shipment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** Name of the shipment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ruleIds": { + "rendered": "\n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.ruleIds.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segments": { + "rendered": "\n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[],", + "requiresRelaxedTypeAnnotation": true }, - ".query.limit": { - "rendered": "\n/** The number of items to return per page */\n limit?: number,", + ".__no_name.items.__no_name.segments.__no_name": { + "rendered": "{ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.segments.__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.name": { - "rendered": "\n/** Filter shipments by name. Matching is case-insensitive.\nThe following wildcards can be used:\n'*' matches any number of any characters,\n'?' matches any single character.\n */\n name?: string,", + ".__no_name.items.__no_name.segments.__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.shipmentPlanId": { - "rendered": "\n/** Return only shipment plans that have been instantiated from the specified `shipmentPlanId`\nMatching is case-insensitive.\nThe following wildcards can be used:\n'*' matches any number of any characters,\n'?' matches any single character.\n */\n shipmentPlanId?: string,", + ".__no_name.items.__no_name.segments.__no_name.durationS": { + "rendered": "\n/** Segment duration in seconds. */\n durationS?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.locationId": { - "rendered": "\n/** Return only shipments that have been instantiated from the specified `locationId`\n */\n locationId?: string,", + ".__no_name.items.__no_name.segments.__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.createdBefore": { - "rendered": "\n/** Return only shipments that have been created before specified timestamp */\n createdBefore?: string,", + ".__no_name.items.__no_name.segments.__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.createdAfter": { - "rendered": "\n/** Return only shipments that have been created after specified timestamp */\n createdAfter?: string,", + ".__no_name.items.__no_name.segments.__no_name.segmentPlanId": { + "rendered": "\n/** Segment plan ID */\n segmentPlanId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.isSubShipment": { - "rendered": "\n/** Returns only shipments marked as subShipments */\n isSubShipment?: boolean,", + ".__no_name.items.__no_name.segments.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".query.sort": { - "rendered": "\n/** A paramater to specify field to sort by and order.\nAllowed fields to sort by: shipmentPlanId, name, createdAt\n */\n sort?: string | (string)[],", - "requiresRelaxedTypeAnnotation": true - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count: number,\n items: ({\n /**\n * A boolean parameter defining whether the shipment starts upon exiting the first origin\n * location.\n * @default true\n */\n autoStart?: boolean,\n /**\n * Timestamp indicating when the shipment plan has been created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the shipment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Name of the shipment\n * @maxLength 50\n */\n name?: string,\n /**\n * Array of `ruleId`s to associate with the shipment\n * @maxItems 10\n */\n ruleIds?: (string)[],\n /**\n * Array of objects each defining the origin and destination of the segment\n * @maxItems 20\n * @minItems 1\n */\n segments: ({\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Segment duration in seconds.\n * @min 0\n */\n durationS?: number,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * Segment plan ID\n * @pattern ^SEGP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentPlanId?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n})[],\n /**\n * Shipment plan ID\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId: string,\n /**\n * Flag telling if shipment is a subShipment.\n * @default false\n */\n subShipment?: boolean,\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n /**\n * Total count of matching results\n * @min 0\n */\n total: number,\n\n}", + ".__no_name.items.__no_name.segments.__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.shipmentPlanId": { + "rendered": "\n/** Shipment plan ID */\n shipmentPlanId?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.subShipment": { + "rendered": "\n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.total": { + "rendered": "\n/** Total count of matching results */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -6198,15 +8478,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Shipment plan ID\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId: string,\n\n}", + "rendered": "{ \n/** Shipment plan ID */\n shipmentPlanId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.shipmentPlanId": { + "rendered": "\n/** Shipment plan ID */\n shipmentPlanId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6242,23 +8518,79 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * A boolean parameter defining whether the shipment starts upon exiting the first origin\n * location.\n * @default true\n */\n autoStart?: boolean,\n /**\n * Timestamp indicating when the shipment plan has been created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the shipment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Name of the shipment\n * @maxLength 50\n */\n name?: string,\n /**\n * Array of `ruleId`s to associate with the shipment\n * @maxItems 10\n */\n ruleIds?: (string)[],\n /**\n * Array of objects each defining the origin and destination of the segment\n * @maxItems 20\n * @minItems 1\n */\n segments: ({\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Segment duration in seconds.\n * @min 0\n */\n durationS?: number,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * Segment plan ID\n * @pattern ^SEGP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentPlanId?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n})[],\n /**\n * Shipment plan ID\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId: string,\n /**\n * Flag telling if shipment is a subShipment.\n * @default false\n */\n subShipment?: boolean,\n\n}", + "rendered": "{ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Name of the shipment */\n name?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment plan ID */\n shipmentPlanId?: string, \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.autoStart": { + "rendered": "\n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when the shipment plan has been created */\n createdAt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.description": { + "rendered": "\n/** Description of the shipment */\n description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.name": { + "rendered": "\n/** Name of the shipment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ruleIds": { + "rendered": "\n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ruleIds.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments": { + "rendered": "\n/** Array of objects each defining the origin and destination of the segment */\n segments?: ({ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.segments.__no_name": { + "rendered": "{ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.segments.__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.durationS": { + "rendered": "\n/** Segment duration in seconds. */\n durationS?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.segmentPlanId": { + "rendered": "\n/** Segment plan ID */\n segmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.shipmentPlanId": { + "rendered": "\n/** Shipment plan ID */\n shipmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.subShipment": { + "rendered": "\n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -6315,16 +8647,40 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Segment duration in seconds.\n * @min 0\n */\n durationS?: number,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * Segment plan ID\n * @pattern ^SEGP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentPlanId?: string,\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n}", + "rendered": "{ \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Segment duration in seconds. */\n durationS?: number, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** Segment plan ID */\n segmentPlanId?: string, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.durationS": { + "rendered": "\n/** Segment duration in seconds. */\n durationS?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segmentPlanId": { + "rendered": "\n/** Segment plan ID */\n segmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6371,11 +8727,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6411,23 +8763,139 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * A boolean parameter defining whether the shipment starts upon exiting the first origin\n * location.\n */\n autoStart: boolean,\n /**\n * Calculated ETA for the shipment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the shipment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when the shipment has been created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the shipment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Timestamp indicating when the shipment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the shipment\n * @maxLength 50\n */\n name?: string,\n /**\n * User provided ETA for the shipment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the shipment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Array of `ruleId`s to associate with the shipment\n * @maxItems 10\n */\n ruleIds?: (string)[],\n /** Array containing the segment details */\n segments: ({\n /**\n * Calculated ETA for the segment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the segment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when this segment created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Timestamp indicating when this segment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * User provided ETA for the segment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the segment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Segment ID\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId?: string,\n /**\n * Timestamp indicating when this segment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n})[],\n /**\n * Shipment ID\n * @pattern ^SHP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentId: string,\n /**\n * A shipment plan's id that the shipment was generated from.\n * @pattern ^SHPP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentPlanId?: string,\n /**\n * Timestamp indicating when the shipment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the shipment */\n status: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,\n\n}", + "rendered": "{ \n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean, \n/** Calculated ETA for the shipment */\n calculatedEta?: string, \n/** Calculated ETD for the shipment */\n calculatedEtd?: string, \n/** Timestamp indicating when the shipment has been created */\n createdAt?: string, \n/** Description of the shipment */\n description?: string, \n/** Timestamp indicating when the shipment ended */\n endedAt?: string, \n/** Name of the shipment */\n name?: string, \n/** User provided ETA for the shipment */\n providedEta?: string, \n/** User provided ETD for the shipment */\n providedEtd?: string, \n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[], \n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Shipment ID */\n shipmentId?: string, \n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string, \n/** Timestamp indicating when the shipment started */\n startedAt?: string, \n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.autoStart": { + "rendered": "\n/** A boolean parameter defining whether the shipment starts upon exiting the first origin\nlocation.\n */\n autoStart?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the shipment */\n calculatedEta?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the shipment */\n calculatedEtd?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when the shipment has been created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": "\n/** Description of the shipment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when the shipment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Name of the shipment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the shipment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the shipment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ruleIds": { + "rendered": "\n/** Array of `ruleId`s to associate with the shipment */\n ruleIds?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ruleIds.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments": { + "rendered": "\n/** Array containing the segment details */\n segments?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.segments.__no_name": { + "rendered": "{ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.segments.__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the segment */\n calculatedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the segment */\n calculatedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when this segment created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when this segment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the segment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the segment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.segmentId": { + "rendered": "\n/** Segment ID */\n segmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when this segment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.status": { + "rendered": "\n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.segments.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segments.__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.shipmentId": { + "rendered": "\n/** Shipment ID */\n shipmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.shipmentPlanId": { + "rendered": "\n/** A shipment plan's id that the shipment was generated from. */\n shipmentPlanId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when the shipment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** Status of the shipment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.subShipment": { + "rendered": "\n/** Flag telling if shipment is a subShipment. */\n subShipment?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -6488,16 +8956,68 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Calculated ETA for the segment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the segment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when this segment created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Timestamp indicating when this segment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * User provided ETA for the segment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the segment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Segment ID\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId?: string,\n /**\n * Timestamp indicating when this segment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n}", + "rendered": "{ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the segment */\n calculatedEta?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the segment */\n calculatedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when this segment created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when this segment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the segment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the segment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.segmentId": { + "rendered": "\n/** Segment ID */\n segmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when this segment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": "\n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6566,23 +9086,91 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Number of items returned in the response\n * @min 0\n * @max 100\n */\n count?: number,\n items?: ({\n /**\n * Calculated ETA for the segment\n * @format date-time\n */\n calculatedEta?: string,\n /**\n * Calculated ETD for the segment\n * @format date-time\n */\n calculatedEtd?: string,\n /**\n * Timestamp indicating when this segment created\n * @format date-time\n */\n createdAt?: string,\n /**\n * Description of the segment\n * @maxLength 1000\n */\n description?: string,\n /**\n * Destination location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n destination?: string,\n /**\n * Timestamp indicating when this segment ended\n * @format date-time\n */\n endedAt?: string,\n /**\n * Name of the segment\n * @maxLength 50\n */\n name?: string,\n /**\n * Origin location of this segment\n * @pattern ^LOC-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n origin?: string,\n /**\n * User provided ETA for the segment\n * @format date-time\n */\n providedEta?: string,\n /**\n * User provided ETD for the segment\n * @format date-time\n */\n providedEtd?: string,\n /**\n * Segment ID\n * @pattern ^SEG-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n segmentId?: string,\n /**\n * Shipment ID\n * @pattern ^SHP-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n shipmentId?: string,\n /**\n * Timestamp indicating when this segment started\n * @format date-time\n */\n startedAt?: string,\n /** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",\n /**\n * This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used.\n * @minLength 1\n * @maxLength 50\n */\n trackingId?: string,\n /** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",\n\n})[],\n /**\n * Maximum number of items as specified in request\n * @min 1\n * @max 100\n */\n limit?: number,\n /** Token to fetch the next page (if exists) */\n nextPageToken?: string,\n\n}", + "rendered": "{ \n/** Number of items returned in the response */\n count?: number, items?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[], \n/** Maximum number of items as specified in request */\n limit?: number, \n/** Token to fetch the next page (if exists) */\n nextPageToken?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": "\n/** Number of items returned in the response */\n count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items": { + "rendered": " items?: ({ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name": { + "rendered": "{ \n/** Calculated ETA for the segment */\n calculatedEta?: string, \n/** Calculated ETD for the segment */\n calculatedEtd?: string, \n/** Timestamp indicating when this segment created */\n createdAt?: string, \n/** Description of the segment */\n description?: string, \n/** Destination location of this segment */\n destination?: string, \n/** Timestamp indicating when this segment ended */\n endedAt?: string, \n/** Name of the segment */\n name?: string, \n/** Origin location of this segment */\n origin?: string, \n/** User provided ETA for the segment */\n providedEta?: string, \n/** User provided ETD for the segment */\n providedEtd?: string, \n/** Segment ID */\n segmentId?: string, \n/** Shipment ID */\n shipmentId?: string, \n/** Timestamp indicating when this segment started */\n startedAt?: string, \n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\", \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string, \n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.calculatedEta": { + "rendered": "\n/** Calculated ETA for the segment */\n calculatedEta?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.calculatedEtd": { + "rendered": "\n/** Calculated ETD for the segment */\n calculatedEtd?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.createdAt": { + "rendered": "\n/** Timestamp indicating when this segment created */\n createdAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.description": { + "rendered": "\n/** Description of the segment */\n description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.destination": { + "rendered": "\n/** Destination location of this segment */\n destination?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.endedAt": { + "rendered": "\n/** Timestamp indicating when this segment ended */\n endedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.name": { + "rendered": "\n/** Name of the segment */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.origin": { + "rendered": "\n/** Origin location of this segment */\n origin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.providedEta": { + "rendered": "\n/** User provided ETA for the segment */\n providedEta?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.providedEtd": { + "rendered": "\n/** User provided ETD for the segment */\n providedEtd?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.segmentId": { + "rendered": "\n/** Segment ID */\n segmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.shipmentId": { + "rendered": "\n/** Shipment ID */\n shipmentId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.startedAt": { + "rendered": "\n/** Timestamp indicating when this segment started */\n startedAt?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.status": { + "rendered": "\n/** Status of the segment */\n status?: \"pending\" | \"ongoing\" | \"completed\" | \"cancelled\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.items.__no_name.trackingId": { + "rendered": "\n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. Alternatively, a valid `shipmentId` may be used. */\n trackingId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.items.__no_name.transportMode": { + "rendered": "\n/** Transport mode of the segment */\n transportMode?: \"car\" | \"truck\" | \"sea\" | \"air\" | \"undefined\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.limit": { + "rendered": "\n/** Maximum number of items as specified in request */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.nextPageToken": { + "rendered": "\n/** Token to fetch the next page (if exists) */\n nextPageToken?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6593,15 +9181,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6612,11 +9196,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6698,12 +9278,8 @@ }, "response": { ".__no_name": { - "rendered": "ResponseTraces", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { } & { data?: ({ \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThis describes when the measurements were processed by the backend.\n */\n serverTimestamp?: number, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nSpecifies the time the device telemetry measurements were taken.\n */\n timestamp?: number, \n/** Array containing the properties that were removed from the original device data as per disableTracking property in the device shadow. `position` refers to all positioning data and `sensors` to all reported sensor data.\n */\n trackingDisabled?: (\"position\" | \"sensors\" | \"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\" | \"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[], })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6741,14 +9317,10 @@ "requiresRelaxedTypeAnnotation": false } }, - "response": { - ".__no_name": { - "rendered": "ResponseTransitions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "response": { + ".__no_name": { + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ geofence?: { \n/** An object that defines the area of a circular geofence */\n definition: { \n/** The coordinates of the center point of the circle. */\n center: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** The radius of the circle in meters. */\n radius?: number, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"circle\", } | { \n/** An object that defines the area of a polygonal geofence. */\n definition: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** An array of points that define the polygon. A minimum of three and a maximum of ten points is required. */\n points?: ({ \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, })[], }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"polygon\", } | { \n/** An object that defines the area of a POI geofence. */\n definition?: { \n/** The building associated with the geofence */\n floor: { \n/** The building ID */\n id?: string, \n/** The floor of the geofence in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** Details of the geofence location */\n location?: { \n/** Address */\n address?: string, \n/** Country */\n country?: string, \n/** Coordinates for visualization purposes */\n position: { \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, }, \n/** The room ID */\n room?: string, }, }, \n/** A description of the area that the geofence encloses and the purpose of the geofence. */\n description?: string, \n/** A human-readable name of the geofence. */\n name?: string, \n/** The geofence type. */\n type?: \"poi\", }, \n/** Must be a valid UUIDv4.\n */\n geofenceId?: string, inOut?: \"PING_OUTSIDE_FENCE\" | \"PING_IN_FENCE\", notificationStatus?: \"SENT\" | \"NOT_SENT\", \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC. */\n timestamp?: number, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6758,15 +9330,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6777,11 +9345,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -6809,12 +9373,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ResponseListDevices", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** The number of items in the response. */\n count?: number, \n/** A token that can be used to retrieve the next page of the response. */\n pageToken?: string, } & { data?: ({ \n/** Virtual device application ID, only present when the device is virtual */\n appId?: string, \n/** Virtual device external ID, only present when the device is virtual */\n externalId?: string, \n/** The data that Shadows persists for each device.\n */\n shadow?: { \n/** The desired shadow of the device.\n */\n desired?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }, \n/** The `reported` shadow contains the most recent position, sensor readings and settings that the\ndevice has sent. The reported shadow may also contain additional properties generated by HERE \nTracking based on the device-ingested telemetry.\nSuch properties are stored in `system.computed` property of the shadow.\n\nIn case the most recent telemetry did not contain all the possible\nfields, the last known information will remain in the shadow. This means that one can\nsee, for example, the last reported temperature or tracker firmware information in the reported shadow,\neven if the device did not send that information in the latest telemetry.\n */\n reported?: { \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** The device location */\n position: { \n/** Uncertainty circle radius in meters (degree of confidence according to the 'confidence' parameter). */\n accuracy?: number, \n/** Altitude in meters (referenced to the WGS-84 ellipsoid) negative or positive. */\n alt?: number, \n/** Uncertainty of the altitude estimate in meters (degree of confidence according to the 'confidence' parameter). */\n altaccuracy?: number, \n/** Confidence level in percent for the accuracy/uncertainty. If not specified, the default is 68 (this corresponds to a 68% probability that the true position is within the accuracy/uncertainty radius of the position; the higher the number, the greater the confidence level). */\n confidence?: number, \n/** The building where the measurements were taken */\n floor: { \n/** The building id */\n id?: string, \n/** The floor in the building in integer format */\n level?: number, \n/** The building name */\n name?: string, }, \n/** GPS/GNSS heading in degrees, clockwise from true north. You must specify a value for this item when you specify a value for speed. */\n heading?: number, \n/** Latitude in WGS-84 format, decimal representation ranging from -90 to 90. */\n lat?: number, \n/** Longitude in WGS-84 format, decimal representation ranging from -180 to 180. */\n lng?: number, \n/** Number of GPS/GNSS satellites used for the calculation of the position fix. ('gnss' position type only) */\n satellitecount?: number, \n/** GPS/GNSS speed of the device (m/s). One must specify a value for this item when one specifies a value for heading. */\n speed?: number, \n/** Timestamp of the position */\n timestamp?: number, \n/** Position type, 'gnss' (satellite based), 'cell' or 'wlan' (network based) */\n type?: string, \n/** The total number of observed WLAN APs in the scan used for producing the position. ('wlan' position type only) */\n wlancount?: number, }, \n/** Contains device-reported sensor data and device configuration settings.\n`stateVersion` property contains the version of the last\nknown `desired` state seen by the device.\n */\n system?: { \n/** Information about the client device.\n */\n client?: { \n/** Specifies the range of measurable acceleration, representation\nunit g (9.8 m/s^2). If more than one accelerometer is available,\neach element in the list will represent individual accelerometer.\nEach value represents a single \"+/-\" range.\nFor example, value 2 means that sensor is capable to measure\nacceleration within the range of [-2 g, +2 g].\n */\n accelerometerSensorRange?: (number)[], \n/** Device diagnostics code. */\n diagnosticscode?: number, \n/** Available disk quota in kilobytes. */\n diskquota?: number, \n/** Device firmware version information */\n firmware?: string, \n/** True if a device has a sensor to measure acceleration. */\n hasAccelerometerSensor?: boolean, \n/** True if a device has a sensor to detect if the device is attached to or detached from an object. */\n hasAttachSensor?: boolean, \n/** True if a device has a sensor to measure humidity. */\n hasHumiditySensor?: boolean, \n/** False if a device has a battery. */\n hasNoBattery?: boolean, \n/** True if a device has a sensor to measure pressure. */\n hasPressureSensor?: boolean, \n/** True if a device has a sensor to detect if device is disassembled. */\n hasTamperSensor?: boolean, \n/** True if a device has a sensor to measure temperature. */\n hasTemperatureSensor?: boolean, \n/** Information about subscriber home network - 3GPP MCC+MNC or 3GPP2 SID+NID. Dual-SIM devices can provide information on both subscriptions. */\n homenetwork?: ({ \n/** Mobile Country Code */\n mcc?: number, \n/** Mobile Network Code */\n mnc?: number, \n/** Network Id, NID */\n nid?: number, \n/** System Id, SID */\n sid?: number, })[], \n/** Manufacturer of the device (hardware) */\n manufacturer?: string, \n/** Model of the device (hardware) */\n model?: string, \n/** Software information of all updateable chips. */\n modules?: ({ \n/** Installed firmware version */\n firmwareVersion?: string, \n/** Manufacturer name */\n manufacturer?: string, \n/** Model or chip name */\n model?: string, })[], \n/** Name of the client software accessing the HERE API */\n name?: string, \n/** Software platform information of the device, for example operating system name and version. */\n platform?: string, \n/** Version of the client software in format X.Y.Z, where X [0..255] is a major, Y [0..255] is a minor, and Z [0..65535] is a build version number. Increase the version/build number for each release of the client. */\n version?: string, }, \n/** SIM card integrated circuit card identifier (ICCID) */\n iccid?: string, \n/** The IMSI of the device's SIM card.\n */\n imsi?: string, \n/** Tracker mode status of the device. When a tracker is in a normal mode, it\ncan send telemetry and, for example, use its GNSS receiver if it has one.\nA tracker switches into flight mode once it detects that it's in an\nairplane, and leaves that mode once airplane lands. Transport mode has to\nbe triggered by the user, and it's used, for example, during shipping from\ncontinent to another. Sleep mode is used when a tracker is stored in\na warehouse, and it's triggered by entering or leaving some defined\ngeofence.\n */\n mode?: \"unknown\" | \"normal\" | \"flight\" | \"transport\" | \"sleep\", \n/** The phone number of the device's SIM card in the international E.164 format. All the country codes should be prefixed a with \"+\" instead of \"00\".\n */\n phoneNumber?: string, \n/** The last known device sensor data reported by the device.\n */\n reportedSensorData?: { \n/** A g-force value of acceleration. */\n accelerationG?: number, \n/** True if device battery is charging. */\n batteryIsCharging?: boolean, \n/** A value of percentage battery level. */\n batteryLevel?: number, \n/** True if device is attached to an object. */\n deviceIsAttached?: boolean, \n/** True if device hasn't detected movement. */\n deviceIsStationary?: boolean, \n/** True if device is tampered. */\n deviceIsTampered?: boolean, \n/** A value of pressure in hectopascal. */\n pressureHpa?: number, \n/** A value of relative humidity in percent. */\n relativeHumidity?: number, \n/** A value of temperature in celcius. */\n temperatureC?: number, \n/** A value of tilt in degrees. */\n tiltDegree?: number, }, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe timestamp of the newest telemetry sent by the device. Note that this is not necessarily\nthe timestamp of all the reported values in the reported shadow since the shadow retains\nvalues from previous ingestions if the latest telemetry did not conatain them.\n */\n timestamp?: number, }, }, \n/** This is a unique ID associated with the device data in HERE Tracking. For physical devices the `trackingId` gets assigned to a device when the device is claimed by a user, and for virtual devices it is an external device ID along with the device project `appId`. */\n trackingId?: string, })[], }", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6824,15 +9384,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6856,15 +9412,31 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n accessToken?: string,\n /**\n * The lifetime in seconds of the access token.\n * For example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,\n /** Current realm ID */\n realm?: string,\n refreshToken?: string,\n /** The token type is bearer */\n tokenType?: string,\n /**\n * The HERE Account ID of a user.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId?: string,\n\n}", + "rendered": "{ accessToken?: string, \n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number, \n/** Current realm ID */\n realm?: string, refreshToken?: string, \n/** The token type is bearer */\n tokenType?: string, \n/** The HERE Account ID of a user. */\n userId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.accessToken": { + "rendered": " accessToken?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.expiresIn": { + "rendered": "\n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.realm": { + "rendered": "\n/** Current realm ID */\n realm?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.refreshToken": { + "rendered": " refreshToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.tokenType": { + "rendered": "\n/** The token type is bearer */\n tokenType?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.userId": { + "rendered": "\n/** The HERE Account ID of a user. */\n userId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6888,15 +9460,31 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n accessToken?: string,\n /**\n * The lifetime in seconds of the access token.\n * For example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,\n /** Current realm ID */\n realm?: string,\n refreshToken?: string,\n /** The token type is bearer */\n tokenType?: string,\n /**\n * The HERE Account ID of a user.\n * @pattern ^HERE-[0-9a-f]{8}-[0-9a-f]{4}-4[0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}$\n */\n userId?: string,\n\n}", + "rendered": "{ accessToken?: string, \n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number, \n/** Current realm ID */\n realm?: string, refreshToken?: string, \n/** The token type is bearer */\n tokenType?: string, \n/** The HERE Account ID of a user. */\n userId?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.accessToken": { + "rendered": " accessToken?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.expiresIn": { + "rendered": "\n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.realm": { + "rendered": "\n/** Current realm ID */\n realm?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.refreshToken": { + "rendered": " refreshToken?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.tokenType": { + "rendered": "\n/** The token type is bearer */\n tokenType?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.userId": { + "rendered": "\n/** The HERE Account ID of a user. */\n userId?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6920,15 +9508,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Project-scoped access token. */\n accessToken?: string,\n /**\n * The lifetime in seconds of the access token.\n * For example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,\n /** The type of token issued when grantType is \"urn:ietf:params:oauth:grant-type:token-exchange\". */\n issuedTokenType?: string,\n /** Requested scope of the access token. Must be an HRN identifying a project that the identified user has access to. */\n scope?: string,\n /** The token type is 'Bearer'. */\n tokenType?: string,\n\n}", + "rendered": "{ \n/** Project-scoped access token. */\n accessToken?: string, \n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number, \n/** The type of token issued when grantType is \"urn:ietf:params:oauth:grant-type:token-exchange\". */\n issuedTokenType?: string, \n/** Requested scope of the access token. Must be an HRN identifying a project that the identified user has access to. */\n scope?: string, \n/** The token type is 'Bearer'. */\n tokenType?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.accessToken": { + "rendered": "\n/** Project-scoped access token. */\n accessToken?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.expiresIn": { + "rendered": "\n/** The lifetime in seconds of the access token.\nFor example 86400 means the token will expire in 24 hours from the time the response was generated.\n */\n expiresIn?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.issuedTokenType": { + "rendered": "\n/** The type of token issued when grantType is \"urn:ietf:params:oauth:grant-type:token-exchange\". */\n issuedTokenType?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scope": { + "rendered": "\n/** Requested scope of the access token. Must be an HRN identifying a project that the identified user has access to. */\n scope?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.tokenType": { + "rendered": "\n/** The token type is 'Bearer'. */\n tokenType?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6939,11 +9539,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7000,31 +9596,187 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** Contains device configuration settings. */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to geofences that device is associated\n * with. This value is zero when device hasn't yet been associated with\n * any geofence. This is set by HERE Tracking when any geofences\n * associated with the device is modified or removed. Also adding and\n * removing geofence associations update this value.\n * @min 0\n * @max 4102448400000\n */\n lastModifiedGeofenceTimestamp: number,\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /** The device sensors alarm configuration. */\n sensorAlarmConfig?: {\n /** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,\n /** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,\n /** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,\n /** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,\n /** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,\n /** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,\n /** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,\n /** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,\n /** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,\n /** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,\n /** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,\n /** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,\n /**\n * True if attach sensor alert in device is enabled.\n * @default false\n */\n isAttachAlertEnabled?: boolean,\n /**\n * True if tamper sensor alert in device is enabled.\n * @default false\n */\n isTamperAlertEnabled?: boolean,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion: number,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to the desired shadow.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n}", + "rendered": "{ \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -7035,15 +9787,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7054,15 +9802,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Seconds elapsed since 1 January 1970 00:00:00 UTC.\n * @min 2\n * @max 4102448400\n */\n timestamp?: number,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Seconds elapsed since 1 January 1970 00:00:00 UTC. */\n timestamp?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.timestamp": { + "rendered": "\n/** Seconds elapsed since 1 January 1970 00:00:00 UTC. */\n timestamp?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -7073,15 +9817,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n accessToken?: string,\n expiresIn?: number,\n\n}", + "rendered": "{ accessToken?: string, expiresIn?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.accessToken": { + "rendered": " accessToken?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.expiresIn": { + "rendered": " expiresIn?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -7092,11 +9836,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -7157,31 +9897,187 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * A free format JSON object.\n * The maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,\n /** Contains device configuration settings. */\n system?: {\n /** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,\n /**\n * Tracking can be disabled and enabled by defining disableTracking object.\n * In order to disable tracking, one must at least provide the begin time of the disabling\n * period and define either position or sensor properties one wants to disable. One can also\n * disable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: {\n /**\n * Array of periods\n * Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n * @maxItems 1\n * @minItems 0\n */\n periods?: ({\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * Begin time of the tracking disabling period.\n * \n * Begin must be smaller than end. Begin must be greater or equal to current time.\n * Begin can be set without end. If there exists already end time which is earlier\n * than given new begin time, the existing end time will be deleted.\n * @min 2\n * @max 4102448400000\n */\n begin?: number,\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n * \n * End time of the tracking disabling period.\n * \n * End must be greater than begin. End must be greater or equal to current time.\n * End can be set without begin if begin is already set.\n * @min 2\n * @max 4102448400000\n */\n end?: number,\n\n})[],\n /** Define position methods to be disabled */\n position?: (\"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\"),\n /** Define sensors to be disabled */\n sensors?: (\"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\"),\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to geofences that device is associated\n * with. This value is zero when device hasn't yet been associated with\n * any geofence. This is set by HERE Tracking when any geofences\n * associated with the device is modified or removed. Also adding and\n * removing geofence associations update this value.\n * @min 0\n * @max 4102448400000\n */\n lastModifiedGeofenceTimestamp: number,\n /** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: {\n /**\n * Send an update if the device has moved farther than the specified distance in meters\n * @min 0\n */\n distanceM?: number,\n /**\n * The rate at which to sample signals in milliseconds\n * @min 0\n */\n sampleMs?: number,\n /**\n * The rate at which to send sample results in milliseconds\n * @min 0\n */\n sendMs?: number,\n\n},\n /** The device sensors alarm configuration. */\n sensorAlarmConfig?: {\n /** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,\n /** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,\n /** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,\n /** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,\n /** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,\n /** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,\n /** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,\n /** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,\n /** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,\n /** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,\n /** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,\n /** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,\n /**\n * True if attach sensor alert in device is enabled.\n * @default false\n */\n isAttachAlertEnabled?: boolean,\n /**\n * True if tamper sensor alert in device is enabled.\n * @default false\n */\n isTamperAlertEnabled?: boolean,\n\n},\n /**\n * An array of objects that holds sensor logging configurations\n * @maxItems 5\n * @minItems 0\n */\n sensorLoggingConfigurations?: ({\n /**\n * Sampling frequrency of single sensor loggin configuration (in milliseconds)\n * @min 1\n */\n samplingFrequency?: number,\n /** Type of single sensor logging configuration */\n type: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",\n\n})[],\n /** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,\n /**\n * The version of the state of a device. This should be incremented only by HERE Tracking.\n * @min 0\n */\n stateVersion: number,\n /** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,\n /**\n * An array of objects that holds wlan configurations\n * @maxItems 10\n * @minItems 0\n */\n wlanConfigurations?: ({\n /**\n * WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'.\n * @minLength 8\n * @maxLength 63\n */\n password?: string,\n /** Selected security mode */\n securityMode: \"none\" | \"wpa2psk\",\n /**\n * Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity.\n * @minLength 1\n * @maxLength 32\n */\n ssid: string,\n /** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,\n\n})[],\n /** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,\n\n},\n /**\n * Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n * \n * The time of the last update to the desired shadow.\n * @min 2\n * @max 4102448400000\n */\n timestamp?: number,\n\n}", + "rendered": "{ \n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue, \n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.payload": { + "rendered": "\n/** A free format JSON object.\nThe maximum size is 1000B.\n */\n payload?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system": { + "rendered": "\n/** Contains device configuration settings.\n */\n system: { \n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean, \n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", }, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number, \n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, }, \n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, }, \n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[], \n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean, \n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number, \n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean, \n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[], \n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.detectOutliers": { + "rendered": "\n/** A boolean value that sets outlier detection on or off */\n detectOutliers?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking": { + "rendered": "\n/** Tracking can be disabled and enabled by defining disableTracking object.\nIn order to disable tracking, one must at least provide the begin time of the disabling\nperiod and define either position or sensor properties one wants to disable. One can also\ndisable both position and sensors at the same time. By default tracking is enabled.\n */\n disableTracking?: { \n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[], \n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\", \n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.disableTracking.periods": { + "rendered": "\n/** Define begin and end of the disabling period. All trace points with timestamp that falls between begin and end times will be disabled according to the settings defined in the position and sensors properties.\n */\n periods?: ({ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name": { + "rendered": "{ \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number, \n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name.begin": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nBegin time of the tracking disabling period.\n\nBegin must be smaller than end. Begin must be greater or equal to current time.\nBegin can be set without end. If there exists already end time which is earlier\nthan given new begin time, the existing end time will be deleted.\n */\n begin?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.periods.__no_name.end": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC\n\nEnd time of the tracking disabling period.\n\nEnd must be greater than begin. End must be greater or equal to current time.\nEnd can be set without begin if begin is already set.\n */\n end?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.system.disableTracking.position": { + "rendered": "\n/** Define position methods to be disabled */\n position?: \"all\" | (\"bt\" | \"country\" | \"gsm\" | \"wcdma\" | \"tdscdma\" | \"lte\" | \"cdma\" | \"wlan\" | \"gps\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.disableTracking.sensors": { + "rendered": "\n/** Define sensors to be disabled */\n sensors?: \"all\" | (\"accelerationG\" | \"deviceIsAttached\" | \"deviceIsStationary\" | \"batteryIsCharging\" | \"batteryLevel\" | \"pressureHpa\" | \"relativeHumidity\" | \"deviceIsTampered\" | \"temperatureC\" | \"tiltDegree\")[] | \"\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.lastModifiedGeofenceTimestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to geofences that device is associated\nwith. This value is zero when device hasn't yet been associated with\nany geofence. This is set by HERE Tracking when any geofences\nassociated with the device is modified or removed. Also adding and\nremoving geofence associations update this value.\n */\n lastModifiedGeofenceTimestamp?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate": { + "rendered": "\n/** This can be used to specify the rates at which the device performs certain tasks. */\n rate?: { \n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number, \n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number, \n/** The rate at which to send sample results in milliseconds */\n sendMs?: number, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.distanceM": { + "rendered": "\n/** Send an update if the device has moved farther than the specified distance in meters */\n distanceM?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.sampleMs": { + "rendered": "\n/** The rate at which to sample signals in milliseconds */\n sampleMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.rate.sendMs": { + "rendered": "\n/** The rate at which to send sample results in milliseconds */\n sendMs?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig": { + "rendered": "\n/** The device sensors alarm configuration.\n */\n sensorAlarmConfig?: { \n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number, \n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number, \n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number, \n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number, \n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number, \n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number, \n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number, \n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number, \n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number, \n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number, \n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number, \n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number, \n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean, \n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertAccelerationGMax": { + "rendered": "\n/** An upper threshold value for acceleration in g-forces. */\n alertAccelerationGMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertAccelerationGMin": { + "rendered": "\n/** A lower threshold value for acceleration in g-forces. */\n alertAccelerationGMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertBatteryLevelPMax": { + "rendered": "\n/** An upper threshold value for battery level percentage. */\n alertBatteryLevelPMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertBatteryLevelPMin": { + "rendered": "\n/** A lower threshold value for battery level percentage. */\n alertBatteryLevelPMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertPressureHpaMax": { + "rendered": "\n/** An upper threshold value for pressure in hectopascals. */\n alertPressureHpaMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertPressureHpaMin": { + "rendered": "\n/** A lower threshold value for pressure in hectopascals. */\n alertPressureHpaMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertRelativeHumidityMax": { + "rendered": "\n/** An upper threshold value for relative humidity percentage. */\n alertRelativeHumidityMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertRelativeHumidityMin": { + "rendered": "\n/** A lower threshold value for relative humidity percentage. */\n alertRelativeHumidityMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTemperatureCMax": { + "rendered": "\n/** An upper threshold value for temperature in degrees Celsius. */\n alertTemperatureCMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTemperatureCMin": { + "rendered": "\n/** A lower threshold value for temperature in degrees Celsius. */\n alertTemperatureCMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTiltDegreeMax": { + "rendered": "\n/** An upper threshold value for tilt in degrees. */\n alertTiltDegreeMax?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.alertTiltDegreeMin": { + "rendered": "\n/** A lower threshold value for tilt in degrees. */\n alertTiltDegreeMin?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.isAttachAlertEnabled": { + "rendered": "\n/** True if attach sensor alert in device is enabled. */\n isAttachAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorAlarmConfig.isTamperAlertEnabled": { + "rendered": "\n/** True if tamper sensor alert in device is enabled. */\n isTamperAlertEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorLoggingConfigurations": { + "rendered": "\n/** An array of objects that holds sensor logging configurations */\n sensorLoggingConfigurations?: ({ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name": { + "rendered": "{ \n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number, \n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name.samplingFrequency": { + "rendered": "\n/** Sampling frequrency of single sensor loggin configuration (in milliseconds) */\n samplingFrequency?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.sensorLoggingConfigurations.__no_name.type": { + "rendered": "\n/** Type of single sensor logging configuration */\n type?: \"acceleration\" | \"pressure\" | \"temperature\" | \"humidity\" | \"gnss\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.sensorLoggingEnabled": { + "rendered": "\n/** Flag that sets sensor logging on or off */\n sensorLoggingEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.stateVersion": { + "rendered": "\n/** The version of the state of a device. This should be incremented only by HERE Tracking.\n */\n stateVersion?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.syncGeofences": { + "rendered": "\n/** A boolean value that sets efficient geofencing on or off */\n syncGeofences?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations": { + "rendered": "\n/** An array of objects that holds wlan configurations */\n wlanConfigurations?: ({ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, })[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name": { + "rendered": "{ \n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string, \n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\", \n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string, \n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name.password": { + "rendered": "\n/** WLAN password. Please note that the password is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. Password is required if security mode is other then 'none'. */\n password?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations.__no_name.securityMode": { + "rendered": "\n/** Selected security mode */\n securityMode?: \"none\" | \"wpa2psk\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.system.wlanConfigurations.__no_name.ssid": { + "rendered": "\n/** Name given to a WLAN that is used by the client to access a WLAN network. Please note that the SSID is stored to the device unencrypted. Do not use secure private networks, such as Intranet, for tracker WLAN connectivity. */\n ssid?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConfigurations.__no_name.ssidIsHidden": { + "rendered": "\n/** Flag that informs if SSID is hidden */\n ssidIsHidden?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.system.wlanConnectivityEnabled": { + "rendered": "\n/** A boolean value that sets wlan connectivity on or off */\n wlanConnectivityEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.timestamp": { + "rendered": "\n/** Milliseconds elapsed since 1 January 1970 00:00:00 UTC.\n\nThe time of the last update to the desired shadow.\n */\n timestamp?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -7224,15 +10120,11 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Health status */\n message?: string,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ \n/** Health status */\n message?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": "\n/** Health status */\n message?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7243,11 +10135,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "any", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/hubspot-events.json b/src/app/generator/test-data/param-generator/golden-files/hubspot-events.json index ae72909..fad4222 100644 --- a/src/app/generator/test-data/param-generator/golden-files/hubspot-events.json +++ b/src/app/generator/test-data/param-generator/golden-files/hubspot-events.json @@ -52,10 +52,6 @@ ".__no_name": { "rendered": "CollectionResponseExternalUnifiedEvent", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/hubspot-workflow-actions.json b/src/app/generator/test-data/param-generator/golden-files/hubspot-workflow-actions.json index d1afe5f..c039d7f 100644 --- a/src/app/generator/test-data/param-generator/golden-files/hubspot-workflow-actions.json +++ b/src/app/generator/test-data/param-generator/golden-files/hubspot-workflow-actions.json @@ -82,10 +82,6 @@ ".__no_name": { "rendered": "CollectionResponseExtensionActionDefinitionForwardPaging", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -111,10 +107,6 @@ ".__no_name": { "rendered": "ExtensionActionDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -168,10 +160,6 @@ ".__no_name": { "rendered": "ExtensionActionDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -201,10 +189,6 @@ ".__no_name": { "rendered": "ExtensionActionDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -225,10 +209,6 @@ ".__no_name": { "rendered": "CollectionResponseActionFunctionIdentifierNoPaging", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -281,10 +261,6 @@ ".__no_name": { "rendered": "ActionFunction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -318,10 +294,6 @@ ".__no_name": { "rendered": "ActionFunctionIdentifier", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -382,10 +354,6 @@ ".__no_name": { "rendered": "ActionFunction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -423,10 +391,6 @@ ".__no_name": { "rendered": "ActionFunctionIdentifier", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -460,10 +424,6 @@ ".__no_name": { "rendered": "CollectionResponseActionRevisionForwardPaging", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -488,10 +448,6 @@ ".__no_name": { "rendered": "ActionRevision", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/instagram.json b/src/app/generator/test-data/param-generator/golden-files/instagram.json index 1b58312..1e51f92 100644 --- a/src/app/generator/test-data/param-generator/golden-files/instagram.json +++ b/src/app/generator/test-data/param-generator/golden-files/instagram.json @@ -25,10 +25,6 @@ ".__no_name": { "rendered": "MediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -69,10 +65,6 @@ ".__no_name": { "rendered": "LocationSearchResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -89,10 +81,6 @@ ".__no_name": { "rendered": "LocationInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -130,10 +118,6 @@ ".__no_name": { "rendered": "MediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -145,10 +129,6 @@ ".__no_name": { "rendered": "MediaSearchResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -185,10 +165,6 @@ ".__no_name": { "rendered": "MediaSearchResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -205,10 +181,6 @@ ".__no_name": { "rendered": "MediaEntryResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -225,10 +197,6 @@ ".__no_name": { "rendered": "MediaEntryResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -245,10 +213,6 @@ ".__no_name": { "rendered": "CommentsResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -274,10 +238,6 @@ ".__no_name": { "rendered": "StatusResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -298,10 +258,6 @@ ".__no_name": { "rendered": "StatusResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -318,10 +274,6 @@ ".__no_name": { "rendered": "StatusResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -338,10 +290,6 @@ ".__no_name": { "rendered": "UsersInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -358,10 +306,6 @@ ".__no_name": { "rendered": "StatusResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -382,10 +326,6 @@ ".__no_name": { "rendered": "TagSearchResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -402,10 +342,6 @@ ".__no_name": { "rendered": "TagInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -439,10 +375,6 @@ ".__no_name": { "rendered": "TagMediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -467,10 +399,6 @@ ".__no_name": { "rendered": "UsersInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -499,10 +427,6 @@ ".__no_name": { "rendered": "MediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -527,10 +451,6 @@ ".__no_name": { "rendered": "MediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -542,10 +462,6 @@ ".__no_name": { "rendered": "UsersInfoResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -562,10 +478,6 @@ ".__no_name": { "rendered": "UserResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -582,10 +494,6 @@ ".__no_name": { "rendered": "UsersPagingResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -602,10 +510,6 @@ ".__no_name": { "rendered": "UsersPagingResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -647,10 +551,6 @@ ".__no_name": { "rendered": "MediaListResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -667,10 +567,6 @@ ".__no_name": { "rendered": "RelationshipResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -696,10 +592,6 @@ ".__no_name": { "rendered": "RelationshipPostResponse", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/intuit-mailchimp.json b/src/app/generator/test-data/param-generator/golden-files/intuit-mailchimp.json index bae2ffa..a5fcf7a 100644 --- a/src/app/generator/test-data/param-generator/golden-files/intuit-mailchimp.json +++ b/src/app/generator/test-data/param-generator/golden-files/intuit-mailchimp.json @@ -14,12 +14,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ExportsSatus", + "rendered": "exports_satus", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -38,11 +34,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ExportsInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "exports_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -62,11 +54,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ExportsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "exports_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -86,12 +74,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ExportsSatus", + "rendered": "exports_satus", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -110,12 +94,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ExportsSatus", + "rendered": "exports_satus", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -134,11 +114,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_info", "requiresRelaxedTypeAnnotation": false } } @@ -158,11 +134,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Route", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "route", "requiresRelaxedTypeAnnotation": false } } @@ -182,11 +154,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_info", "requiresRelaxedTypeAnnotation": false } } @@ -206,11 +174,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_info", "requiresRelaxedTypeAnnotation": false } } @@ -230,11 +194,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Route", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "route", "requiresRelaxedTypeAnnotation": false } } @@ -254,11 +214,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundDomainsResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_domains-response", "requiresRelaxedTypeAnnotation": false } } @@ -278,11 +234,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundRoutesResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_routes-response", "requiresRelaxedTypeAnnotation": false } } @@ -302,11 +254,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "InboundSendRawResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "inbound_send-raw-response", "requiresRelaxedTypeAnnotation": false } } @@ -326,11 +274,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Route", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "route", "requiresRelaxedTypeAnnotation": false } } @@ -350,11 +294,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ip_info", "requiresRelaxedTypeAnnotation": false } } @@ -374,11 +314,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsCheckCustomDnsResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_check-custom-dns-response", "requiresRelaxedTypeAnnotation": false } } @@ -398,11 +334,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsPool", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_pool", "requiresRelaxedTypeAnnotation": false } } @@ -422,11 +354,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsDeletePoolResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_delete-pool-response", "requiresRelaxedTypeAnnotation": false } } @@ -446,11 +374,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsDeleteResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_delete-response", "requiresRelaxedTypeAnnotation": false } } @@ -470,11 +394,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ip_info", "requiresRelaxedTypeAnnotation": false } } @@ -494,11 +414,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsListPoolsResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_list-pools-response", "requiresRelaxedTypeAnnotation": false } } @@ -518,11 +434,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -542,11 +454,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsPool", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_pool", "requiresRelaxedTypeAnnotation": false } } @@ -566,11 +474,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpsProvisionResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ips_provision-response", "requiresRelaxedTypeAnnotation": false } } @@ -590,11 +494,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ip_info", "requiresRelaxedTypeAnnotation": false } } @@ -614,11 +514,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ip_info", "requiresRelaxedTypeAnnotation": false } } @@ -638,11 +534,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IpInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "ip_info", "requiresRelaxedTypeAnnotation": false } } @@ -662,11 +554,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SchedulingchangeInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "schedulingchange_info", "requiresRelaxedTypeAnnotation": false } } @@ -686,11 +574,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessagesContentResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "messages_content-response", "requiresRelaxedTypeAnnotation": false } } @@ -710,11 +594,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessagesInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "messages_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -734,11 +614,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessagesListScheduledResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "messages_list-scheduled-response", "requiresRelaxedTypeAnnotation": false } } @@ -758,11 +634,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessagesParseResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "messages_parse-response", "requiresRelaxedTypeAnnotation": false } } @@ -782,11 +654,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SchedulingchangeInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "schedulingchange_info", "requiresRelaxedTypeAnnotation": false } } @@ -806,11 +674,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Timeseries", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "timeseries", "requiresRelaxedTypeAnnotation": false } } @@ -830,11 +694,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessagesSearchResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "messages_search-response", "requiresRelaxedTypeAnnotation": false } } @@ -854,11 +714,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessageSendStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "message_send-status", "requiresRelaxedTypeAnnotation": false } } @@ -878,11 +734,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessageSendStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "message_send-status", "requiresRelaxedTypeAnnotation": false } } @@ -902,11 +754,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MessageSendStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "message_send-status", "requiresRelaxedTypeAnnotation": false } } @@ -926,11 +774,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MetadataInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "metadata_info", "requiresRelaxedTypeAnnotation": false } } @@ -950,11 +794,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MetadataInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "metadata_info", "requiresRelaxedTypeAnnotation": false } } @@ -974,11 +814,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MetadataListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "metadata_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -998,11 +834,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "MetadataInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "metadata_info", "requiresRelaxedTypeAnnotation": false } } @@ -1022,11 +854,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RejectsAddResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "rejects_add-response", "requiresRelaxedTypeAnnotation": false } } @@ -1046,11 +874,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RejectsDeleteResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "rejects_delete-response", "requiresRelaxedTypeAnnotation": false } } @@ -1070,11 +894,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RejectsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "rejects_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -1094,11 +914,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SenderDomainInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "sender_domain_info", "requiresRelaxedTypeAnnotation": false } } @@ -1118,11 +934,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SenderDomainInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "sender_domain_info", "requiresRelaxedTypeAnnotation": false } } @@ -1142,11 +954,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SendersDomainsResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "senders_domains-response", "requiresRelaxedTypeAnnotation": false } } @@ -1166,11 +974,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SendersInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "senders_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -1190,11 +994,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Senders", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "senders", "requiresRelaxedTypeAnnotation": false } } @@ -1214,11 +1014,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TimeSeries", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "time-series", "requiresRelaxedTypeAnnotation": false } } @@ -1238,11 +1034,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SendersVerifyDomainResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "senders_verify-domain-response", "requiresRelaxedTypeAnnotation": false } } @@ -1262,11 +1054,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountInfo2", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccount_info2", "requiresRelaxedTypeAnnotation": false } } @@ -1286,11 +1074,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountInfo2", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccount_info2", "requiresRelaxedTypeAnnotation": false } } @@ -1310,11 +1094,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountsInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccounts_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -1334,11 +1114,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccounts_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -1358,11 +1134,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountInfo2", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccount_info2", "requiresRelaxedTypeAnnotation": false } } @@ -1382,11 +1154,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountInfo2", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccount_info2", "requiresRelaxedTypeAnnotation": false } } @@ -1406,11 +1174,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubaccountInfo2", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "subaccount_info2", "requiresRelaxedTypeAnnotation": false } } @@ -1430,11 +1194,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Timeseries", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "timeseries", "requiresRelaxedTypeAnnotation": false } } @@ -1454,11 +1214,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TagsDeleteResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tags_delete-response", "requiresRelaxedTypeAnnotation": false } } @@ -1478,11 +1234,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TagsInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tags_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -1502,11 +1254,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TagsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tags_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -1526,11 +1274,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Timeseries", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "timeseries", "requiresRelaxedTypeAnnotation": false } } @@ -1550,11 +1294,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplateDetailed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "template_detailed", "requiresRelaxedTypeAnnotation": false } } @@ -1574,11 +1314,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplateDetailed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "template_detailed", "requiresRelaxedTypeAnnotation": false } } @@ -1598,11 +1334,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplateDetailed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "template_detailed", "requiresRelaxedTypeAnnotation": false } } @@ -1622,11 +1354,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplatesListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "templates_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -1646,11 +1374,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplateDetailed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "template_detailed", "requiresRelaxedTypeAnnotation": false } } @@ -1670,11 +1394,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplatesRenderResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "templates_render-response", "requiresRelaxedTypeAnnotation": false } } @@ -1694,11 +1414,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TimeSeries", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "time-series", "requiresRelaxedTypeAnnotation": false } } @@ -1718,11 +1434,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TemplateDetailed", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "template_detailed", "requiresRelaxedTypeAnnotation": false } } @@ -1742,11 +1454,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TrackingDomainStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tracking-domain-status", "requiresRelaxedTypeAnnotation": false } } @@ -1766,11 +1474,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TrackingDomainStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "tracking-domain-status", "requiresRelaxedTypeAnnotation": false } } @@ -1790,11 +1494,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UrlInfos", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "url_infos", "requiresRelaxedTypeAnnotation": false } } @@ -1814,11 +1514,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UrlInfos", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "url_infos", "requiresRelaxedTypeAnnotation": false } } @@ -1838,11 +1534,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UrlsTimeSeriesResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "urls_time-series-response", "requiresRelaxedTypeAnnotation": false } } @@ -1862,11 +1554,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UrlsTrackingDomainsResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "urls_tracking-domains-response", "requiresRelaxedTypeAnnotation": false } } @@ -1886,11 +1574,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UsersInfoResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "users_info-response", "requiresRelaxedTypeAnnotation": false } } @@ -1934,11 +1618,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "UsersPing2Response", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "users_ping2-response", "requiresRelaxedTypeAnnotation": false } } @@ -1958,11 +1638,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Senders", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "senders", "requiresRelaxedTypeAnnotation": false } } @@ -1982,11 +1658,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Webhook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook", "requiresRelaxedTypeAnnotation": false } } @@ -2006,11 +1678,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Webhook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook", "requiresRelaxedTypeAnnotation": false } } @@ -2030,11 +1698,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Webhook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook", "requiresRelaxedTypeAnnotation": false } } @@ -2054,11 +1718,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WebhooksListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhooks_list-response", "requiresRelaxedTypeAnnotation": false } } @@ -2078,11 +1738,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Webhook", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "webhook", "requiresRelaxedTypeAnnotation": false } } @@ -2102,11 +1758,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WhitelistsAddResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "whitelists_add-response", "requiresRelaxedTypeAnnotation": false } } @@ -2126,11 +1778,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WhitelistsDeleteResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "whitelists_delete-response", "requiresRelaxedTypeAnnotation": false } } @@ -2150,11 +1798,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WhitelistsListResponse", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "whitelists_list-response", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/kubernetes.json b/src/app/generator/test-data/param-generator/golden-files/kubernetes.json index 7c6d1e7..6ba9021 100644 --- a/src/app/generator/test-data/param-generator/golden-files/kubernetes.json +++ b/src/app/generator/test-data/param-generator/golden-files/kubernetes.json @@ -5,11 +5,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -20,11 +16,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIVersions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIVersions", "requiresRelaxedTypeAnnotation": false } } @@ -35,11 +27,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -99,11 +87,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ComponentStatusList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ComponentStatusList", "requiresRelaxedTypeAnnotation": false } } @@ -128,11 +112,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ComponentStatus", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ComponentStatus", "requiresRelaxedTypeAnnotation": false } } @@ -192,11 +172,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMapList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMapList", "requiresRelaxedTypeAnnotation": false } } @@ -256,11 +232,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1EndpointsList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.EndpointsList", "requiresRelaxedTypeAnnotation": false } } @@ -320,11 +292,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1EventList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.EventList", "requiresRelaxedTypeAnnotation": false } } @@ -384,11 +352,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRangeList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRangeList", "requiresRelaxedTypeAnnotation": false } } @@ -448,11 +412,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1NamespaceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.NamespaceList", "requiresRelaxedTypeAnnotation": false } } @@ -493,11 +453,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -543,11 +499,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Binding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Binding", "requiresRelaxedTypeAnnotation": false } } @@ -629,11 +581,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -698,11 +646,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMapList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMapList", "requiresRelaxedTypeAnnotation": false } } @@ -748,11 +692,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMap", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMap", "requiresRelaxedTypeAnnotation": false } } @@ -806,11 +746,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -839,11 +775,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMap", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMap", "requiresRelaxedTypeAnnotation": false } } @@ -897,11 +829,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMap", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMap", "requiresRelaxedTypeAnnotation": false } } @@ -951,11 +879,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ConfigMap", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ConfigMap", "requiresRelaxedTypeAnnotation": false } } @@ -1037,11 +961,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -1106,11 +1026,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1EndpointsList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.EndpointsList", "requiresRelaxedTypeAnnotation": false } } @@ -1156,11 +1072,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Endpoints", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Endpoints", "requiresRelaxedTypeAnnotation": false } } @@ -1214,11 +1126,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -1247,11 +1155,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Endpoints", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Endpoints", "requiresRelaxedTypeAnnotation": false } } @@ -1305,11 +1209,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Endpoints", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Endpoints", "requiresRelaxedTypeAnnotation": false } } @@ -1359,11 +1259,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Endpoints", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Endpoints", "requiresRelaxedTypeAnnotation": false } } @@ -1445,11 +1341,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -1514,11 +1406,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1EventList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.EventList", "requiresRelaxedTypeAnnotation": false } } @@ -1564,11 +1452,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -1622,11 +1506,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -1655,11 +1535,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -1713,11 +1589,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -1767,11 +1639,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -1853,11 +1721,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -1922,11 +1786,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRangeList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRangeList", "requiresRelaxedTypeAnnotation": false } } @@ -1972,11 +1832,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRange", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRange", "requiresRelaxedTypeAnnotation": false } } @@ -2030,11 +1886,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -2063,11 +1915,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRange", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRange", "requiresRelaxedTypeAnnotation": false } } @@ -2121,11 +1969,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRange", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRange", "requiresRelaxedTypeAnnotation": false } } @@ -2175,11 +2019,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1LimitRange", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.LimitRange", "requiresRelaxedTypeAnnotation": false } } @@ -2261,11 +2101,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -2330,11 +2166,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaimList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaimList", "requiresRelaxedTypeAnnotation": false } } @@ -2380,11 +2212,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2438,11 +2266,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2471,11 +2295,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2529,11 +2349,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2583,11 +2399,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2616,11 +2428,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2674,11 +2482,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2728,11 +2532,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaim", "requiresRelaxedTypeAnnotation": false } } @@ -2814,11 +2614,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -2883,11 +2679,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodList", "requiresRelaxedTypeAnnotation": false } } @@ -2933,11 +2725,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -2991,11 +2779,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3024,11 +2808,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3082,11 +2862,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3136,11 +2912,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3185,11 +2957,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3234,11 +3002,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3288,11 +3052,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Binding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Binding", "requiresRelaxedTypeAnnotation": false } } @@ -3321,11 +3081,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3379,11 +3135,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3433,11 +3185,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -3487,11 +3235,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1Eviction", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.Eviction", "requiresRelaxedTypeAnnotation": false } } @@ -3540,11 +3284,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3593,11 +3333,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3658,11 +3394,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3691,11 +3423,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3724,11 +3452,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3757,11 +3481,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3790,11 +3510,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3823,11 +3539,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3856,11 +3568,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3889,11 +3597,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3922,11 +3626,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3955,11 +3655,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -3992,11 +3688,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4029,11 +3721,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4066,11 +3754,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4103,11 +3787,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4140,11 +3820,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4177,11 +3853,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4214,11 +3886,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -4247,11 +3915,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -4305,11 +3969,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -4359,11 +4019,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Pod", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Pod", "requiresRelaxedTypeAnnotation": false } } @@ -4445,11 +4101,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -4514,11 +4166,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplateList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplateList", "requiresRelaxedTypeAnnotation": false } } @@ -4564,11 +4212,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -4622,11 +4266,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -4655,11 +4295,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -4713,11 +4349,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -4767,11 +4399,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -4853,11 +4481,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -4922,11 +4546,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationControllerList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationControllerList", "requiresRelaxedTypeAnnotation": false } } @@ -4972,11 +4592,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5030,11 +4646,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -5063,11 +4675,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5121,11 +4729,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5175,11 +4779,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5208,11 +4808,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -5266,11 +4862,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -5320,11 +4912,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -5353,11 +4941,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5411,11 +4995,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5465,11 +5045,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationController", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ReplicationController", "requiresRelaxedTypeAnnotation": false } } @@ -5551,11 +5127,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -5620,11 +5192,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuotaList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuotaList", "requiresRelaxedTypeAnnotation": false } } @@ -5670,11 +5238,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5728,11 +5292,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5761,11 +5321,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5819,11 +5375,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5873,11 +5425,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5906,11 +5454,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -5964,11 +5508,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -6018,11 +5558,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuota", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ResourceQuota", "requiresRelaxedTypeAnnotation": false } } @@ -6104,11 +5640,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -6173,11 +5705,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1SecretList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.SecretList", "requiresRelaxedTypeAnnotation": false } } @@ -6223,11 +5751,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Secret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Secret", "requiresRelaxedTypeAnnotation": false } } @@ -6281,11 +5805,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -6314,11 +5834,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Secret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Secret", "requiresRelaxedTypeAnnotation": false } } @@ -6372,11 +5888,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Secret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Secret", "requiresRelaxedTypeAnnotation": false } } @@ -6426,11 +5938,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Secret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Secret", "requiresRelaxedTypeAnnotation": false } } @@ -6512,11 +6020,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -6581,11 +6085,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccountList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccountList", "requiresRelaxedTypeAnnotation": false } } @@ -6631,11 +6131,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccount", "requiresRelaxedTypeAnnotation": false } } @@ -6689,11 +6185,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccount", "requiresRelaxedTypeAnnotation": false } } @@ -6722,11 +6214,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccount", "requiresRelaxedTypeAnnotation": false } } @@ -6780,11 +6268,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccount", "requiresRelaxedTypeAnnotation": false } } @@ -6834,11 +6318,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceAccount", "requiresRelaxedTypeAnnotation": false } } @@ -6888,11 +6368,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthenticationV1TokenRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authentication.v1.TokenRequest", "requiresRelaxedTypeAnnotation": false } } @@ -6974,11 +6450,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -7043,11 +6515,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.ServiceList", "requiresRelaxedTypeAnnotation": false } } @@ -7093,11 +6561,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7151,11 +6615,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7184,11 +6644,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7242,11 +6698,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7296,11 +6748,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7329,11 +6777,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7362,11 +6806,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7395,11 +6835,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7428,11 +6864,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7461,11 +6893,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7494,11 +6922,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7527,11 +6951,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7564,11 +6984,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7601,11 +7017,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7638,11 +7050,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7675,11 +7083,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7712,11 +7116,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7749,11 +7149,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7786,11 +7182,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -7819,11 +7211,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7877,11 +7265,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7931,11 +7315,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Service", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Service", "requiresRelaxedTypeAnnotation": false } } @@ -7985,11 +7365,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -8014,11 +7390,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8068,11 +7440,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8118,11 +7486,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8168,11 +7532,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8197,11 +7557,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8251,11 +7607,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8301,11 +7653,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Namespace", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Namespace", "requiresRelaxedTypeAnnotation": false } } @@ -8382,11 +7730,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -8446,11 +7790,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1NodeList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.NodeList", "requiresRelaxedTypeAnnotation": false } } @@ -8491,11 +7831,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -8545,11 +7881,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -8574,11 +7906,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -8628,11 +7956,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -8678,11 +8002,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -8707,11 +8027,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8736,11 +8052,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8765,11 +8077,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8794,11 +8102,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8823,11 +8127,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8852,11 +8152,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8881,11 +8177,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8914,11 +8206,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8947,11 +8235,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -8980,11 +8264,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -9013,11 +8293,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -9046,11 +8322,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -9079,11 +8351,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -9112,11 +8380,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApiResourceQuantity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -9141,11 +8405,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -9195,11 +8455,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -9245,11 +8501,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1Node", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.Node", "requiresRelaxedTypeAnnotation": false } } @@ -9309,11 +8561,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeClaimList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeClaimList", "requiresRelaxedTypeAnnotation": false } } @@ -9390,11 +8638,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -9454,11 +8698,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolumeList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolumeList", "requiresRelaxedTypeAnnotation": false } } @@ -9499,11 +8739,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9553,11 +8789,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9582,11 +8814,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9636,11 +8864,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9686,11 +8910,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9715,11 +8935,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9769,11 +8985,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9819,11 +9031,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PersistentVolume", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PersistentVolume", "requiresRelaxedTypeAnnotation": false } } @@ -9883,11 +9091,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodList", "requiresRelaxedTypeAnnotation": false } } @@ -9947,11 +9151,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1PodTemplateList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.core.v1.PodTemplateList", "requiresRelaxedTypeAnnotation": false } } @@ -10011,16 +9211,72 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ReplicationControllerList", + "rendered": "io.k8s.api.core.v1.ReplicationControllerList", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/api/v1/resourcequotas": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.api.core.v1.ResourceQuotaList", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/resourcequotas": { + "get__/api/v1/secrets": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10075,16 +9331,72 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ResourceQuotaList", + "rendered": "io.k8s.api.core.v1.SecretList", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/api/v1/serviceaccounts": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.api.core.v1.ServiceAccountList", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/secrets": { + "get__/api/v1/services": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10139,16 +9451,72 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1SecretList", + "rendered": "io.k8s.api.core.v1.ServiceList", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/api/v1/watch/configmaps": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/serviceaccounts": { + "get__/api/v1/watch/endpoints": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10203,16 +9571,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceAccountList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/services": { + "get__/api/v1/watch/events": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10267,16 +9631,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoreV1ServiceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/configmaps": { + "get__/api/v1/watch/limitranges": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10331,16 +9691,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/endpoints": { + "get__/api/v1/watch/namespaces": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10395,16 +9751,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/events": { + "get__/api/v1/watch/namespaces/{namespace}/configmaps": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10456,19 +9808,20 @@ } }, "body": {}, - "path": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/limitranges": { + "get__/api/v1/watch/namespaces/{namespace}/configmaps/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10520,19 +9873,24 @@ } }, "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "path": { + ".name": { + "rendered": "\n/** name of the ConfigMap */\n name: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces": { + "get__/api/v1/watch/namespaces/{namespace}/endpoints": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10584,19 +9942,20 @@ } }, "body": {}, - "path": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/configmaps": { + "get__/api/v1/watch/namespaces/{namespace}/endpoints/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10649,6 +10008,10 @@ }, "body": {}, "path": { + ".name": { + "rendered": "\n/** name of the Endpoints */\n name: string,", + "requiresRelaxedTypeAnnotation": false + }, ".namespace": { "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", "requiresRelaxedTypeAnnotation": false @@ -10656,16 +10019,77 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/api/v1/watch/namespaces/{namespace}/events": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/configmaps/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/events/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10719,7 +10143,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the ConfigMap */\n name: string,", + "rendered": "\n/** name of the Event */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -10729,16 +10153,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/endpoints": { + "get__/api/v1/watch/namespaces/{namespace}/limitranges": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10798,16 +10218,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/endpoints/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/limitranges/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10861,7 +10277,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the Endpoints */\n name: string,", + "rendered": "\n/** name of the LimitRange */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -10871,16 +10287,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/events": { + "get__/api/v1/watch/namespaces/{namespace}/persistentvolumeclaims": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -10940,16 +10352,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/events/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/persistentvolumeclaims/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11003,7 +10411,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the Event */\n name: string,", + "rendered": "\n/** name of the PersistentVolumeClaim */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11013,16 +10421,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/limitranges": { + "get__/api/v1/watch/namespaces/{namespace}/pods": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11082,16 +10486,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/limitranges/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/pods/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11145,7 +10545,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the LimitRange */\n name: string,", + "rendered": "\n/** name of the Pod */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11155,16 +10555,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/persistentvolumeclaims": { + "get__/api/v1/watch/namespaces/{namespace}/podtemplates": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11224,16 +10620,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/persistentvolumeclaims/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/podtemplates/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11287,7 +10679,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the PersistentVolumeClaim */\n name: string,", + "rendered": "\n/** name of the PodTemplate */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11297,16 +10689,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/pods": { + "get__/api/v1/watch/namespaces/{namespace}/replicationcontrollers": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11366,16 +10754,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/pods/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/replicationcontrollers/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11429,7 +10813,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the Pod */\n name: string,", + "rendered": "\n/** name of the ReplicationController */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11439,16 +10823,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/podtemplates": { + "get__/api/v1/watch/namespaces/{namespace}/resourcequotas": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11508,16 +10888,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/podtemplates/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/resourcequotas/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11571,7 +10947,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the PodTemplate */\n name: string,", + "rendered": "\n/** name of the ResourceQuota */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11581,16 +10957,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/replicationcontrollers": { + "get__/api/v1/watch/namespaces/{namespace}/secrets": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11650,16 +11022,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/replicationcontrollers/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/secrets/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11713,7 +11081,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the ReplicationController */\n name: string,", + "rendered": "\n/** name of the Secret */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11723,16 +11091,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/resourcequotas": { + "get__/api/v1/watch/namespaces/{namespace}/serviceaccounts": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11792,16 +11156,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/resourcequotas/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/serviceaccounts/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11855,7 +11215,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the ResourceQuota */\n name: string,", + "rendered": "\n/** name of the ServiceAccount */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -11865,16 +11225,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/secrets": { + "get__/api/v1/watch/namespaces/{namespace}/services": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11934,16 +11290,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/secrets/{name}": { + "get__/api/v1/watch/namespaces/{namespace}/services/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -11997,7 +11349,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the Secret */\n name: string,", + "rendered": "\n/** name of the Service */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -12007,16 +11359,12 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/serviceaccounts": { + "get__/api/v1/watch/namespaces/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12069,23 +11417,19 @@ }, "body": {}, "path": { - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + ".name": { + "rendered": "\n/** name of the Namespace */\n name: string,", "requiresRelaxedTypeAnnotation": false } }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/serviceaccounts/{name}": { + "get__/api/v1/watch/nodes": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12137,28 +11481,15 @@ } }, "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the ServiceAccount */\n name: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", - "requiresRelaxedTypeAnnotation": false - } - }, + "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/services": { + "get__/api/v1/watch/nodes/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12211,23 +11542,19 @@ }, "body": {}, "path": { - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + ".name": { + "rendered": "\n/** name of the Node */\n name: string,", "requiresRelaxedTypeAnnotation": false } }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{namespace}/services/{name}": { + "get__/api/v1/watch/persistentvolumeclaims": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12279,28 +11606,75 @@ } }, "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the Service */\n name: string,", + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/api/v1/watch/persistentvolumes": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", "requiresRelaxedTypeAnnotation": false } }, + "body": {}, + "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/namespaces/{name}": { + "get__/api/v1/watch/persistentvolumes/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12354,22 +11728,18 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the Namespace */\n name: string,", + "rendered": "\n/** name of the PersistentVolume */\n name: string,", "requiresRelaxedTypeAnnotation": false } }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/nodes": { + "get__/api/v1/watch/pods": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12424,16 +11794,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/nodes/{name}": { + "get__/api/v1/watch/podtemplates": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12485,24 +11851,15 @@ } }, "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the Node */\n name: string,", - "requiresRelaxedTypeAnnotation": false - } - }, + "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/persistentvolumeclaims": { + "get__/api/v1/watch/replicationcontrollers": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12557,16 +11914,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/persistentvolumes": { + "get__/api/v1/watch/resourcequotas": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12621,16 +11974,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/persistentvolumes/{name}": { + "get__/api/v1/watch/secrets": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12682,24 +12031,15 @@ } }, "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the PersistentVolume */\n name: string,", - "requiresRelaxedTypeAnnotation": false - } - }, + "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/pods": { + "get__/api/v1/watch/serviceaccounts": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12754,16 +12094,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/podtemplates": { + "get__/api/v1/watch/services": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -12818,33 +12154,70 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + } + } + }, + "get__/apis/": { + "query": {}, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroupList", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/replicationcontrollers": { + "get__/apis/admissionregistration.k8s.io/": { + "query": {}, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/admissionregistration.k8s.io/v1/": { + "query": {}, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "delete__/apis/admissionregistration.k8s.io/v1/mutatingwebhookconfigurations": { "query": { ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", + "rendered": " query: { \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed */\n dryRun?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** The duration in seconds before the object should be deleted. Value must be non-negative integer. The value zero indicates delete immediately. If this value is nil, the default grace period for the specified type will be used. Defaults to a per object value if not specified. zero means delete immediately. */\n gracePeriodSeconds?: number, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. Should the dependent objects be orphaned. If true/false, the \"orphan\" finalizer will be added to/removed from the object's finalizers list. Either this field or PropagationPolicy may be set, but not both. */\n orphanDependents?: boolean, \n/** Whether and how garbage collection will be performed. Either this field or OrphanDependents may be set, but not both. The default policy is decided by the existing finalizer set in the metadata.finalizers and the resource-specific default policy. Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - allow the garbage collector to delete the dependents in the background; 'Foreground' - a cascading policy that deletes all dependents in the foreground. */\n propagationPolicy?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, },", "requiresRelaxedTypeAnnotation": false }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", "requiresRelaxedTypeAnnotation": false }, ".query.continue": { "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", "requiresRelaxedTypeAnnotation": false }, + ".query.dryRun": { + "rendered": "\n/** When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed */\n dryRun?: string,", + "requiresRelaxedTypeAnnotation": false + }, ".query.fieldSelector": { "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", "requiresRelaxedTypeAnnotation": false }, + ".query.gracePeriodSeconds": { + "rendered": "\n/** The duration in seconds before the object should be deleted. Value must be non-negative integer. The value zero indicates delete immediately. If this value is nil, the default grace period for the specified type will be used. Defaults to a per object value if not specified. zero means delete immediately. */\n gracePeriodSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, ".query.labelSelector": { "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", "requiresRelaxedTypeAnnotation": false @@ -12853,8 +12226,12 @@ "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + ".query.orphanDependents": { + "rendered": "\n/** Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. Should the dependent objects be orphaned. If true/false, the \"orphan\" finalizer will be added to/removed from the object's finalizers list. Either this field or PropagationPolicy may be set, but not both. */\n orphanDependents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.propagationPolicy": { + "rendered": "\n/** Whether and how garbage collection will be performed. Either this field or OrphanDependents may be set, but not both. The default policy is decided by the existing finalizer set in the metadata.finalizers and the resource-specific default policy. Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - allow the garbage collector to delete the dependents in the background; 'Foreground' - a cascading policy that deletes all dependents in the foreground. */\n propagationPolicy?: string,", "requiresRelaxedTypeAnnotation": false }, ".query.resourceVersion": { @@ -12872,29 +12249,34 @@ ".query.timeoutSeconds": { "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", "requiresRelaxedTypeAnnotation": false + } + }, + "body": { + ".body": { + "rendered": "\n/** Request body */\n body: IoK8SApimachineryPkgApisMetaV1DeleteOptions,", + "requiresRelaxedTypeAnnotation": false }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + ".body.__no_name": { + "rendered": "__undefined", "requiresRelaxedTypeAnnotation": false } }, - "body": {}, "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } }, - "get__/api/v1/watch/resourcequotas": { + "get__/apis/admissionregistration.k8s.io/v1/mutatingwebhookconfigurations": { "query": { ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", + "rendered": " query: { \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", "requiresRelaxedTypeAnnotation": false }, ".query.allowWatchBookmarks": { @@ -12917,10 +12299,6 @@ "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", "requiresRelaxedTypeAnnotation": false }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, ".query.resourceVersion": { "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", "requiresRelaxedTypeAnnotation": false @@ -12946,393 +12324,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/api/v1/watch/secrets": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/api/v1/watch/serviceaccounts": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/api/v1/watch/services": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/": { - "query": {}, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroupList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/admissionregistration.k8s.io/": { - "query": {}, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/admissionregistration.k8s.io/v1/": { - "query": {}, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "delete__/apis/admissionregistration.k8s.io/v1/mutatingwebhookconfigurations": { - "query": { - ".query": { - "rendered": " query: { \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed */\n dryRun?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** The duration in seconds before the object should be deleted. Value must be non-negative integer. The value zero indicates delete immediately. If this value is nil, the default grace period for the specified type will be used. Defaults to a per object value if not specified. zero means delete immediately. */\n gracePeriodSeconds?: number, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. Should the dependent objects be orphaned. If true/false, the \"orphan\" finalizer will be added to/removed from the object's finalizers list. Either this field or PropagationPolicy may be set, but not both. */\n orphanDependents?: boolean, \n/** Whether and how garbage collection will be performed. Either this field or OrphanDependents may be set, but not both. The default policy is decided by the existing finalizer set in the metadata.finalizers and the resource-specific default policy. Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - allow the garbage collector to delete the dependents in the background; 'Foreground' - a cascading policy that deletes all dependents in the foreground. */\n propagationPolicy?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.dryRun": { - "rendered": "\n/** When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed */\n dryRun?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.gracePeriodSeconds": { - "rendered": "\n/** The duration in seconds before the object should be deleted. Value must be non-negative integer. The value zero indicates delete immediately. If this value is nil, the default grace period for the specified type will be used. Defaults to a per object value if not specified. zero means delete immediately. */\n gracePeriodSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.orphanDependents": { - "rendered": "\n/** Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. Should the dependent objects be orphaned. If true/false, the \"orphan\" finalizer will be added to/removed from the object's finalizers list. Either this field or PropagationPolicy may be set, but not both. */\n orphanDependents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.propagationPolicy": { - "rendered": "\n/** Whether and how garbage collection will be performed. Either this field or OrphanDependents may be set, but not both. The default policy is decided by the existing finalizer set in the metadata.finalizers and the resource-specific default policy. Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - allow the garbage collector to delete the dependents in the background; 'Foreground' - a cascading policy that deletes all dependents in the foreground. */\n propagationPolicy?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": { - ".body": { - "rendered": "\n/** Request body */\n body: IoK8SApimachineryPkgApisMetaV1DeleteOptions,", - "requiresRelaxedTypeAnnotation": false - }, - ".body.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - }, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/admissionregistration.k8s.io/v1/mutatingwebhookconfigurations": { - "query": { - ".query": { - "rendered": " query: { \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1MutatingWebhookConfigurationList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.MutatingWebhookConfigurationList", "requiresRelaxedTypeAnnotation": false } } @@ -13373,11 +12365,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1MutatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.MutatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13427,11 +12415,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -13456,11 +12440,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1MutatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.MutatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13510,11 +12490,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1MutatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.MutatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13560,11 +12536,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1MutatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.MutatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13641,11 +12613,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -13705,11 +12673,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1ValidatingWebhookConfigurationList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.ValidatingWebhookConfigurationList", "requiresRelaxedTypeAnnotation": false } } @@ -13750,11 +12714,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1ValidatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.ValidatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13804,11 +12764,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -13833,11 +12789,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1ValidatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.ValidatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13887,11 +12839,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1ValidatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.ValidatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -13937,11 +12885,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1ValidatingWebhookConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1.ValidatingWebhookConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -14001,11 +12945,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -14064,150 +13004,138 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the MutatingWebhookConfiguration */\n name: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/admissionregistration.k8s.io/v1/watch/validatingwebhookconfigurations": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/admissionregistration.k8s.io/v1/watch/validatingwebhookconfigurations/{name}": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the ValidatingWebhookConfiguration */\n name: string,", + "rendered": "\n/** name of the MutatingWebhookConfiguration */\n name: string,", "requiresRelaxedTypeAnnotation": false } }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/admissionregistration.k8s.io/v1/watch/validatingwebhookconfigurations": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/admissionregistration.k8s.io/v1/watch/validatingwebhookconfigurations/{name}": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".name": { + "rendered": "\n/** name of the ValidatingWebhookConfiguration */\n name: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -14218,11 +13146,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -14299,11 +13223,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -14363,11 +13283,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyList", "requiresRelaxedTypeAnnotation": false } } @@ -14408,11 +13324,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -14462,11 +13374,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -14491,11 +13399,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -14545,11 +13449,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -14595,11 +13495,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -14676,11 +13572,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -14740,11 +13632,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyBindingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyBindingList", "requiresRelaxedTypeAnnotation": false } } @@ -14785,11 +13673,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyBinding", "requiresRelaxedTypeAnnotation": false } } @@ -14839,11 +13723,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -14868,11 +13748,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyBinding", "requiresRelaxedTypeAnnotation": false } } @@ -14922,11 +13798,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyBinding", "requiresRelaxedTypeAnnotation": false } } @@ -14972,11 +13844,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAdmissionregistrationV1Alpha1ValidatingAdmissionPolicyBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.admissionregistration.v1alpha1.ValidatingAdmissionPolicyBinding", "requiresRelaxedTypeAnnotation": false } } @@ -15036,11 +13904,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15105,11 +13969,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15169,11 +14029,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15238,11 +14094,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15253,11 +14105,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -15268,11 +14116,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -15349,11 +14193,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -15413,12 +14253,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinitionList", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinitionList", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15458,12 +14294,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15512,11 +14344,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -15541,12 +14369,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15595,12 +14419,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15645,12 +14465,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15674,12 +14490,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15728,12 +14540,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15778,12 +14586,8 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiextensionsApiserverPkgApisApiextensionsV1CustomResourceDefinition", + "rendered": "io.k8s.apiextensions-apiserver.pkg.apis.apiextensions.v1.CustomResourceDefinition", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15842,11 +14646,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15911,11 +14711,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -15926,11 +14722,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -15941,11 +14733,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -16022,11 +14810,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -16086,11 +14870,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIServiceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIServiceList", "requiresRelaxedTypeAnnotation": false } } @@ -16131,11 +14911,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16185,11 +14961,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -16214,11 +14986,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16268,11 +15036,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16318,11 +15082,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16347,11 +15107,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16401,11 +15157,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16451,11 +15203,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SKubeAggregatorPkgApisApiregistrationV1APIService", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.kube-aggregator.pkg.apis.apiregistration.v1.APIService", "requiresRelaxedTypeAnnotation": false } } @@ -16515,11 +15263,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -16584,11 +15328,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -16599,11 +15339,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -16614,11 +15350,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -16678,11 +15410,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevisionList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevisionList", "requiresRelaxedTypeAnnotation": false } } @@ -16742,11 +15470,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSetList", "requiresRelaxedTypeAnnotation": false } } @@ -16806,11 +15530,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DeploymentList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DeploymentList", "requiresRelaxedTypeAnnotation": false } } @@ -16892,11 +15612,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -16961,11 +15677,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevisionList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevisionList", "requiresRelaxedTypeAnnotation": false } } @@ -17011,11 +15723,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevision", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevision", "requiresRelaxedTypeAnnotation": false } } @@ -17069,11 +15777,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -17102,11 +15806,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevision", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevision", "requiresRelaxedTypeAnnotation": false } } @@ -17160,11 +15860,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevision", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevision", "requiresRelaxedTypeAnnotation": false } } @@ -17214,11 +15910,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ControllerRevision", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ControllerRevision", "requiresRelaxedTypeAnnotation": false } } @@ -17300,11 +15992,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -17369,11 +16057,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSetList", "requiresRelaxedTypeAnnotation": false } } @@ -17419,11 +16103,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17477,11 +16157,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -17510,11 +16186,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17568,11 +16240,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17622,11 +16290,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17655,11 +16319,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17713,11 +16373,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17767,11 +16423,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DaemonSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DaemonSet", "requiresRelaxedTypeAnnotation": false } } @@ -17853,11 +16505,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -17922,11 +16570,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1DeploymentList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.DeploymentList", "requiresRelaxedTypeAnnotation": false } } @@ -17972,11 +16616,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18030,11 +16670,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -18063,11 +16699,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18121,11 +16753,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18175,11 +16803,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18208,11 +16832,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -18266,11 +16886,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -18320,11 +16936,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -18353,11 +16965,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18411,11 +17019,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18465,11 +17069,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1Deployment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.Deployment", "requiresRelaxedTypeAnnotation": false } } @@ -18551,11 +17151,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -18620,11 +17216,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSetList", "requiresRelaxedTypeAnnotation": false } } @@ -18670,11 +17262,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -18728,11 +17316,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -18761,11 +17345,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -18819,11 +17399,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -18873,11 +17449,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -18906,11 +17478,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -18964,11 +17532,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -19018,11 +17582,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -19051,11 +17611,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -19109,11 +17665,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -19163,11 +17715,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSet", "requiresRelaxedTypeAnnotation": false } } @@ -19249,11 +17797,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -19318,11 +17862,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSetList", "requiresRelaxedTypeAnnotation": false } } @@ -19368,11 +17908,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19426,11 +17962,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -19459,11 +17991,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19517,11 +18045,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19571,11 +18095,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19604,11 +18124,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -19662,11 +18178,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -19716,11 +18228,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1Scale", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.Scale", "requiresRelaxedTypeAnnotation": false } } @@ -19749,11 +18257,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19807,11 +18311,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19861,11 +18361,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSet", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSet", "requiresRelaxedTypeAnnotation": false } } @@ -19925,11 +18421,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1ReplicaSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.ReplicaSetList", "requiresRelaxedTypeAnnotation": false } } @@ -19989,11 +18481,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAppsV1StatefulSetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apps.v1.StatefulSetList", "requiresRelaxedTypeAnnotation": false } } @@ -20053,11 +18541,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20117,11 +18601,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20181,11 +18661,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20250,11 +18726,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20323,11 +18795,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20392,11 +18860,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20454,221 +18918,10 @@ }, "body": {}, "path": { - ".name": { - "rendered": "\n/** name of the DaemonSet */\n name: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/apps/v1/watch/namespaces/{namespace}/deployments": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/apps/v1/watch/namespaces/{namespace}/deployments/{name}": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the Deployment */\n name: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/apps/v1/watch/namespaces/{namespace}/replicasets": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { + ".name": { + "rendered": "\n/** name of the DaemonSet */\n name: string,", + "requiresRelaxedTypeAnnotation": false + }, ".namespace": { "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", "requiresRelaxedTypeAnnotation": false @@ -20676,16 +18929,77 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/apps/v1/watch/namespaces/{namespace}/deployments": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/apis/apps/v1/watch/namespaces/{namespace}/replicasets/{name}": { + "get__/apis/apps/v1/watch/namespaces/{namespace}/deployments/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -20739,7 +19053,7 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the ReplicaSet */\n name: string,", + "rendered": "\n/** name of the Deployment */\n name: string,", "requiresRelaxedTypeAnnotation": false }, ".namespace": { @@ -20749,16 +19063,77 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/apps/v1/watch/namespaces/{namespace}/replicasets": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } }, - "get__/apis/apps/v1/watch/namespaces/{namespace}/statefulsets": { + "get__/apis/apps/v1/watch/namespaces/{namespace}/replicasets/{name}": { "query": { ".query": { "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", @@ -20811,6 +19186,10 @@ }, "body": {}, "path": { + ".name": { + "rendered": "\n/** name of the ReplicaSet */\n name: string,", + "requiresRelaxedTypeAnnotation": false + }, ".namespace": { "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", "requiresRelaxedTypeAnnotation": false @@ -20818,11 +19197,72 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/apps/v1/watch/namespaces/{namespace}/statefulsets": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20891,11 +19331,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -20955,11 +19391,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -21019,11 +19451,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -21034,11 +19462,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -21049,11 +19473,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -21094,11 +19514,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthenticationV1TokenReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authentication.v1.TokenReview", "requiresRelaxedTypeAnnotation": false } } @@ -21109,11 +19525,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -21154,11 +19566,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthenticationV1Alpha1SelfSubjectReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authentication.v1alpha1.SelfSubjectReview", "requiresRelaxedTypeAnnotation": false } } @@ -21169,11 +19577,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -21184,11 +19588,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -21234,11 +19634,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthorizationV1LocalSubjectAccessReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authorization.v1.LocalSubjectAccessReview", "requiresRelaxedTypeAnnotation": false } } @@ -21279,11 +19675,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthorizationV1SelfSubjectAccessReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authorization.v1.SelfSubjectAccessReview", "requiresRelaxedTypeAnnotation": false } } @@ -21324,11 +19716,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthorizationV1SelfSubjectRulesReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authorization.v1.SelfSubjectRulesReview", "requiresRelaxedTypeAnnotation": false } } @@ -21369,11 +19757,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAuthorizationV1SubjectAccessReview", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.authorization.v1.SubjectAccessReview", "requiresRelaxedTypeAnnotation": false } } @@ -21384,11 +19768,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -21399,11 +19779,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -21463,11 +19839,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscalerList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscalerList", "requiresRelaxedTypeAnnotation": false } } @@ -21549,11 +19921,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -21618,11 +19986,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscalerList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscalerList", "requiresRelaxedTypeAnnotation": false } } @@ -21668,11 +20032,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -21726,11 +20086,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -21759,11 +20115,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -21817,11 +20169,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -21871,11 +20219,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -21904,11 +20248,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -21962,11 +20302,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22016,11 +20352,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV1HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v1.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22080,11 +20412,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -22149,11 +20477,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -22222,11 +20546,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -22237,11 +20557,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -22301,11 +20617,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscalerList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscalerList", "requiresRelaxedTypeAnnotation": false } } @@ -22387,11 +20699,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -22456,11 +20764,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscalerList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscalerList", "requiresRelaxedTypeAnnotation": false } } @@ -22506,11 +20810,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22564,11 +20864,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -22597,11 +20893,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22655,11 +20947,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22709,11 +20997,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22742,11 +21026,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22800,11 +21080,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22854,11 +21130,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiAutoscalingV2HorizontalPodAutoscaler", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.autoscaling.v2.HorizontalPodAutoscaler", "requiresRelaxedTypeAnnotation": false } } @@ -22918,11 +21190,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -22987,11 +21255,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -23060,11 +21324,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -23075,11 +21335,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -23090,11 +21346,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -23154,11 +21406,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJobList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJobList", "requiresRelaxedTypeAnnotation": false } } @@ -23218,11 +21466,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1JobList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.JobList", "requiresRelaxedTypeAnnotation": false } } @@ -23304,11 +21548,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -23373,11 +21613,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJobList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJobList", "requiresRelaxedTypeAnnotation": false } } @@ -23423,11 +21659,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23481,11 +21713,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -23514,11 +21742,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23572,11 +21796,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23626,11 +21846,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23659,11 +21875,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23717,11 +21929,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23771,11 +21979,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1CronJob", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.CronJob", "requiresRelaxedTypeAnnotation": false } } @@ -23857,11 +22061,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -23926,11 +22126,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1JobList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.JobList", "requiresRelaxedTypeAnnotation": false } } @@ -23976,11 +22172,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24034,11 +22226,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -24067,11 +22255,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24125,11 +22309,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24179,11 +22359,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24212,11 +22388,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24270,11 +22442,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24324,11 +22492,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiBatchV1Job", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.batch.v1.Job", "requiresRelaxedTypeAnnotation": false } } @@ -24388,11 +22552,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24452,11 +22612,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24521,11 +22677,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24594,11 +22746,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24663,11 +22811,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24736,11 +22880,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -24751,11 +22891,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -24766,11 +22902,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -24847,11 +22979,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -24911,11 +23039,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequestList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequestList", "requiresRelaxedTypeAnnotation": false } } @@ -24956,11 +23080,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25010,11 +23130,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -25039,11 +23155,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25093,11 +23205,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25143,11 +23251,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25172,11 +23276,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25226,11 +23326,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25276,11 +23372,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25305,11 +23397,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25359,11 +23447,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25409,11 +23493,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCertificatesV1CertificateSigningRequest", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.certificates.v1.CertificateSigningRequest", "requiresRelaxedTypeAnnotation": false } } @@ -25473,11 +23553,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -25542,11 +23618,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -25557,11 +23629,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -25572,11 +23640,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -25636,11 +23700,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1LeaseList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.LeaseList", "requiresRelaxedTypeAnnotation": false } } @@ -25722,11 +23782,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -25791,11 +23847,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1LeaseList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.LeaseList", "requiresRelaxedTypeAnnotation": false } } @@ -25841,11 +23893,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1Lease", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.Lease", "requiresRelaxedTypeAnnotation": false } } @@ -25899,11 +23947,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -25932,11 +23976,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1Lease", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.Lease", "requiresRelaxedTypeAnnotation": false } } @@ -25990,11 +24030,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1Lease", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.Lease", "requiresRelaxedTypeAnnotation": false } } @@ -26044,11 +24080,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiCoordinationV1Lease", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.coordination.v1.Lease", "requiresRelaxedTypeAnnotation": false } } @@ -26108,11 +24140,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26177,11 +24205,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26250,11 +24274,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26265,11 +24285,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -26280,11 +24296,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -26344,11 +24356,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSliceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSliceList", "requiresRelaxedTypeAnnotation": false } } @@ -26430,11 +24438,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -26499,11 +24503,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSliceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSliceList", "requiresRelaxedTypeAnnotation": false } } @@ -26549,11 +24549,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSlice", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSlice", "requiresRelaxedTypeAnnotation": false } } @@ -26607,11 +24603,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -26640,11 +24632,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSlice", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSlice", "requiresRelaxedTypeAnnotation": false } } @@ -26698,11 +24686,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSlice", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSlice", "requiresRelaxedTypeAnnotation": false } } @@ -26752,11 +24736,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiDiscoveryV1EndpointSlice", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.discovery.v1.EndpointSlice", "requiresRelaxedTypeAnnotation": false } } @@ -26816,11 +24796,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26885,11 +24861,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26958,11 +24930,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -26973,11 +24941,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -26988,11 +24952,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -27052,11 +25012,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1EventList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.EventList", "requiresRelaxedTypeAnnotation": false } } @@ -27138,11 +25094,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -27207,11 +25159,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1EventList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.EventList", "requiresRelaxedTypeAnnotation": false } } @@ -27257,11 +25205,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -27315,11 +25259,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -27348,11 +25288,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -27406,11 +25342,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -27460,11 +25392,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiEventsV1Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.events.v1.Event", "requiresRelaxedTypeAnnotation": false } } @@ -27524,11 +25452,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -27593,11 +25517,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -27666,11 +25586,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -27681,11 +25597,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -27696,11 +25608,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -27777,11 +25685,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -27841,11 +25745,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchemaList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchemaList", "requiresRelaxedTypeAnnotation": false } } @@ -27886,11 +25786,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -27940,11 +25836,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -27969,11 +25861,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28023,11 +25911,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28073,11 +25957,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28102,11 +25982,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28156,11 +26032,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28206,11 +26078,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -28287,11 +26155,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -28351,11 +26215,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfigurationList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfigurationList", "requiresRelaxedTypeAnnotation": false } } @@ -28396,11 +26256,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28450,11 +26306,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -28479,11 +26331,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28533,11 +26381,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28583,11 +26427,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28612,11 +26452,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28666,11 +26502,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28716,11 +26548,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta2PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta2.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -28780,11 +26608,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -28849,11 +26673,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -28913,11 +26733,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -28982,11 +26798,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -28997,11 +26809,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -29078,11 +26886,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -29142,11 +26946,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchemaList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchemaList", "requiresRelaxedTypeAnnotation": false } } @@ -29187,11 +26987,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29241,11 +27037,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -29270,11 +27062,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29324,11 +27112,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29374,11 +27158,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29403,11 +27183,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29457,11 +27233,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29507,11 +27279,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3FlowSchema", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.FlowSchema", "requiresRelaxedTypeAnnotation": false } } @@ -29588,11 +27356,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -29652,11 +27416,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfigurationList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfigurationList", "requiresRelaxedTypeAnnotation": false } } @@ -29697,11 +27457,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -29751,11 +27507,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -29780,11 +27532,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -29834,11 +27582,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -29884,11 +27628,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -29913,11 +27653,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -29967,11 +27703,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -30017,11 +27749,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiFlowcontrolV1Beta3PriorityLevelConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.flowcontrol.v1beta3.PriorityLevelConfiguration", "requiresRelaxedTypeAnnotation": false } } @@ -30081,11 +27809,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30150,11 +27874,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30214,11 +27934,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30283,11 +27999,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30298,11 +28010,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -30313,11 +28021,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -30394,11 +28098,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -30458,11 +28158,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersionList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersionList", "requiresRelaxedTypeAnnotation": false } } @@ -30503,11 +28199,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30557,11 +28249,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -30586,11 +28274,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30640,11 +28324,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30690,11 +28370,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30719,11 +28395,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30773,11 +28445,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30823,11 +28491,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiApiserverinternalV1Alpha1StorageVersion", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.apiserverinternal.v1alpha1.StorageVersion", "requiresRelaxedTypeAnnotation": false } } @@ -30887,11 +28551,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30956,11 +28616,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -30971,11 +28627,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -30986,11 +28638,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -31067,11 +28715,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -31131,11 +28775,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressClassList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressClassList", "requiresRelaxedTypeAnnotation": false } } @@ -31176,11 +28816,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressClass", "requiresRelaxedTypeAnnotation": false } } @@ -31230,11 +28866,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -31259,11 +28891,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressClass", "requiresRelaxedTypeAnnotation": false } } @@ -31313,11 +28941,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressClass", "requiresRelaxedTypeAnnotation": false } } @@ -31363,11 +28987,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressClass", "requiresRelaxedTypeAnnotation": false } } @@ -31427,11 +29047,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressList", "requiresRelaxedTypeAnnotation": false } } @@ -31513,11 +29129,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -31582,11 +29194,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1IngressList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.IngressList", "requiresRelaxedTypeAnnotation": false } } @@ -31632,11 +29240,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31690,11 +29294,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -31723,11 +29323,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31781,11 +29377,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31835,11 +29427,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31868,11 +29456,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31926,11 +29510,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -31980,11 +29560,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Ingress", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.Ingress", "requiresRelaxedTypeAnnotation": false } } @@ -32066,11 +29642,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -32135,11 +29707,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicyList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicyList", "requiresRelaxedTypeAnnotation": false } } @@ -32185,11 +29753,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32243,11 +29807,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -32276,11 +29836,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32334,11 +29890,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32388,11 +29940,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32421,11 +29969,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32479,11 +30023,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32533,11 +30073,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicy", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicy", "requiresRelaxedTypeAnnotation": false } } @@ -32597,11 +30133,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1NetworkPolicyList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1.NetworkPolicyList", "requiresRelaxedTypeAnnotation": false } } @@ -32661,11 +30193,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -32730,11 +30258,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -32794,11 +30318,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -32863,11 +30383,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -32936,11 +30452,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33005,11 +30517,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33078,11 +30586,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33142,11 +30646,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33157,11 +30657,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -33238,11 +30734,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -33302,11 +30794,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Alpha1ClusterCIDRList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1alpha1.ClusterCIDRList", "requiresRelaxedTypeAnnotation": false } } @@ -33347,11 +30835,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Alpha1ClusterCIDR", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1alpha1.ClusterCIDR", "requiresRelaxedTypeAnnotation": false } } @@ -33401,11 +30885,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -33430,11 +30910,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Alpha1ClusterCIDR", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1alpha1.ClusterCIDR", "requiresRelaxedTypeAnnotation": false } } @@ -33484,11 +30960,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Alpha1ClusterCIDR", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1alpha1.ClusterCIDR", "requiresRelaxedTypeAnnotation": false } } @@ -33534,11 +31006,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNetworkingV1Alpha1ClusterCIDR", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.networking.v1alpha1.ClusterCIDR", "requiresRelaxedTypeAnnotation": false } } @@ -33598,11 +31066,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33667,11 +31131,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -33682,11 +31142,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -33697,11 +31153,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -33778,11 +31230,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -33842,11 +31290,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNodeV1RuntimeClassList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.node.v1.RuntimeClassList", "requiresRelaxedTypeAnnotation": false } } @@ -33887,11 +31331,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiNodeV1RuntimeClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.node.v1.RuntimeClass", "requiresRelaxedTypeAnnotation": false } } @@ -33941,11 +31381,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -33970,11 +31406,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNodeV1RuntimeClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.node.v1.RuntimeClass", "requiresRelaxedTypeAnnotation": false } } @@ -34024,11 +31456,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNodeV1RuntimeClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.node.v1.RuntimeClass", "requiresRelaxedTypeAnnotation": false } } @@ -34074,11 +31502,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiNodeV1RuntimeClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.node.v1.RuntimeClass", "requiresRelaxedTypeAnnotation": false } } @@ -34138,11 +31562,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -34207,11 +31627,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -34222,11 +31638,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -34237,11 +31649,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -34323,11 +31731,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -34392,11 +31796,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudgetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudgetList", "requiresRelaxedTypeAnnotation": false } } @@ -34442,11 +31842,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34500,11 +31896,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -34533,11 +31925,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34591,11 +31979,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34645,11 +32029,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34678,11 +32058,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34736,11 +32112,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34790,11 +32162,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudget", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudget", "requiresRelaxedTypeAnnotation": false } } @@ -34854,11 +32222,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiPolicyV1PodDisruptionBudgetList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.policy.v1.PodDisruptionBudgetList", "requiresRelaxedTypeAnnotation": false } } @@ -34923,11 +32287,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -34996,11 +32356,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -35060,11 +32416,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -35075,11 +32427,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -35090,11 +32438,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -35171,11 +32515,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -35235,11 +32575,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleBindingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleBindingList", "requiresRelaxedTypeAnnotation": false } } @@ -35280,11 +32616,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -35334,11 +32666,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -35363,11 +32691,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -35417,11 +32741,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -35467,11 +32787,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -35548,11 +32864,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -35612,11 +32924,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRoleList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRoleList", "requiresRelaxedTypeAnnotation": false } } @@ -35657,11 +32965,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRole", "requiresRelaxedTypeAnnotation": false } } @@ -35711,11 +33015,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -35740,11 +33040,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRole", "requiresRelaxedTypeAnnotation": false } } @@ -35794,11 +33090,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRole", "requiresRelaxedTypeAnnotation": false } } @@ -35844,11 +33136,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1ClusterRole", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.ClusterRole", "requiresRelaxedTypeAnnotation": false } } @@ -35930,11 +33218,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -35999,11 +33283,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBindingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBindingList", "requiresRelaxedTypeAnnotation": false } } @@ -36049,11 +33329,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -36107,11 +33383,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -36140,11 +33412,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -36198,11 +33466,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -36252,11 +33516,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBinding", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBinding", "requiresRelaxedTypeAnnotation": false } } @@ -36338,11 +33598,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -36407,11 +33663,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleList", "requiresRelaxedTypeAnnotation": false } } @@ -36457,11 +33709,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1Role", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.Role", "requiresRelaxedTypeAnnotation": false } } @@ -36515,11 +33763,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -36548,11 +33792,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1Role", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.Role", "requiresRelaxedTypeAnnotation": false } } @@ -36606,11 +33846,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1Role", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.Role", "requiresRelaxedTypeAnnotation": false } } @@ -36660,11 +33896,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1Role", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.Role", "requiresRelaxedTypeAnnotation": false } } @@ -36724,11 +33956,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleBindingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleBindingList", "requiresRelaxedTypeAnnotation": false } } @@ -36788,11 +34016,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiRbacV1RoleList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.rbac.v1.RoleList", "requiresRelaxedTypeAnnotation": false } } @@ -36852,11 +34076,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -36921,11 +34141,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -36985,11 +34201,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37054,11 +34266,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37123,11 +34331,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37196,11 +34400,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37265,11 +34465,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37338,11 +34534,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37402,11 +34594,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37466,11 +34654,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -37481,11 +34665,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -37496,11 +34676,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -37582,11 +34758,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -37651,11 +34823,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodSchedulingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodSchedulingList", "requiresRelaxedTypeAnnotation": false } } @@ -37701,11 +34869,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37759,11 +34923,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37792,11 +34952,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37850,11 +35006,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37904,11 +35056,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37937,11 +35085,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -37995,11 +35139,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -38049,11 +35189,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodScheduling", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodScheduling", "requiresRelaxedTypeAnnotation": false } } @@ -38135,11 +35271,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -38204,11 +35336,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimList", "requiresRelaxedTypeAnnotation": false } } @@ -38254,11 +35382,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38312,11 +35436,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38345,11 +35465,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38403,11 +35519,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38457,11 +35569,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38490,11 +35598,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38548,11 +35652,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38602,11 +35702,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaim", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaim", "requiresRelaxedTypeAnnotation": false } } @@ -38688,11 +35784,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -38757,11 +35849,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplateList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplateList", "requiresRelaxedTypeAnnotation": false } } @@ -38807,11 +35895,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -38865,11 +35949,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -38898,11 +35978,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -38956,11 +36032,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -39010,11 +36082,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplate", "requiresRelaxedTypeAnnotation": false } } @@ -39074,11 +36142,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1PodSchedulingList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.PodSchedulingList", "requiresRelaxedTypeAnnotation": false } } @@ -39138,11 +36202,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimList", "requiresRelaxedTypeAnnotation": false } } @@ -39202,11 +36262,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClaimTemplateList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClaimTemplateList", "requiresRelaxedTypeAnnotation": false } } @@ -39283,11 +36339,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -39347,11 +36399,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClassList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClassList", "requiresRelaxedTypeAnnotation": false } } @@ -39392,11 +36440,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClass", "requiresRelaxedTypeAnnotation": false } } @@ -39446,11 +36490,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClass", "requiresRelaxedTypeAnnotation": false } } @@ -39475,11 +36515,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClass", "requiresRelaxedTypeAnnotation": false } } @@ -39529,11 +36565,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClass", "requiresRelaxedTypeAnnotation": false } } @@ -39579,11 +36611,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiResourceV1Alpha1ResourceClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.resource.v1alpha1.ResourceClass", "requiresRelaxedTypeAnnotation": false } } @@ -39648,11 +36676,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -39721,11 +36745,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -39790,11 +36810,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -39863,11 +36879,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -39932,11 +36944,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40005,11 +37013,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40069,11 +37073,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40133,11 +37133,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40197,11 +37193,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40261,11 +37253,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40330,11 +37318,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40345,11 +37329,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -40360,11 +37340,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -40441,11 +37417,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -40505,11 +37477,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiSchedulingV1PriorityClassList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.scheduling.v1.PriorityClassList", "requiresRelaxedTypeAnnotation": false } } @@ -40550,11 +37518,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiSchedulingV1PriorityClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.scheduling.v1.PriorityClass", "requiresRelaxedTypeAnnotation": false } } @@ -40604,11 +37568,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -40633,11 +37593,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiSchedulingV1PriorityClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.scheduling.v1.PriorityClass", "requiresRelaxedTypeAnnotation": false } } @@ -40687,11 +37643,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiSchedulingV1PriorityClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.scheduling.v1.PriorityClass", "requiresRelaxedTypeAnnotation": false } } @@ -40737,11 +37689,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiSchedulingV1PriorityClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.scheduling.v1.PriorityClass", "requiresRelaxedTypeAnnotation": false } } @@ -40801,11 +37749,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40870,11 +37814,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -40885,11 +37825,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIGroup", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIGroup", "requiresRelaxedTypeAnnotation": false } } @@ -40900,11 +37836,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -40981,11 +37913,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -41045,11 +37973,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriverList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriverList", "requiresRelaxedTypeAnnotation": false } } @@ -41090,11 +38014,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriver", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriver", "requiresRelaxedTypeAnnotation": false } } @@ -41144,11 +38064,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriver", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriver", "requiresRelaxedTypeAnnotation": false } } @@ -41173,11 +38089,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriver", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriver", "requiresRelaxedTypeAnnotation": false } } @@ -41227,11 +38139,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriver", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriver", "requiresRelaxedTypeAnnotation": false } } @@ -41277,11 +38185,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIDriver", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIDriver", "requiresRelaxedTypeAnnotation": false } } @@ -41358,11 +38262,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -41422,11 +38322,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINodeList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINodeList", "requiresRelaxedTypeAnnotation": false } } @@ -41467,11 +38363,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINode", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINode", "requiresRelaxedTypeAnnotation": false } } @@ -41521,11 +38413,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINode", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINode", "requiresRelaxedTypeAnnotation": false } } @@ -41550,11 +38438,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINode", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINode", "requiresRelaxedTypeAnnotation": false } } @@ -41604,11 +38488,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINode", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINode", "requiresRelaxedTypeAnnotation": false } } @@ -41654,11 +38534,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSINode", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSINode", "requiresRelaxedTypeAnnotation": false } } @@ -41718,11 +38594,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacityList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacityList", "requiresRelaxedTypeAnnotation": false } } @@ -41804,11 +38676,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -41873,11 +38741,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacityList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacityList", "requiresRelaxedTypeAnnotation": false } } @@ -41923,11 +38787,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -41981,11 +38841,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -42014,11 +38870,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -42072,11 +38924,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -42126,11 +38974,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -42207,11 +39051,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -42271,11 +39111,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClassList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClassList", "requiresRelaxedTypeAnnotation": false } } @@ -42316,11 +39152,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClass", "requiresRelaxedTypeAnnotation": false } } @@ -42370,11 +39202,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClass", "requiresRelaxedTypeAnnotation": false } } @@ -42399,11 +39227,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClass", "requiresRelaxedTypeAnnotation": false } } @@ -42453,11 +39277,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClass", "requiresRelaxedTypeAnnotation": false } } @@ -42503,11 +39323,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1StorageClass", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.StorageClass", "requiresRelaxedTypeAnnotation": false } } @@ -42584,11 +39400,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -42648,11 +39460,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachmentList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachmentList", "requiresRelaxedTypeAnnotation": false } } @@ -42693,11 +39501,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42747,11 +39551,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42776,11 +39576,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42830,11 +39626,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42880,11 +39672,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42909,11 +39697,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -42963,11 +39747,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -43013,11 +39793,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1VolumeAttachment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1.VolumeAttachment", "requiresRelaxedTypeAnnotation": false } } @@ -43077,11 +39853,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43146,11 +39918,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43210,11 +39978,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43273,211 +40037,130 @@ "body": {}, "path": { ".name": { - "rendered": "\n/** name of the CSINode */\n name: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/storage.k8s.io/v1/watch/csistoragecapacities": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/storage.k8s.io/v1/watch/namespaces/{namespace}/csistoragecapacities": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".namespace": { - "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", - "requiresRelaxedTypeAnnotation": false - } - }, - "response": { - ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - } - } - }, - "get__/apis/storage.k8s.io/v1/watch/namespaces/{namespace}/csistoragecapacities/{name}": { - "query": { - ".query": { - "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", - "requiresRelaxedTypeAnnotation": false - }, - ".query.allowWatchBookmarks": { - "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.continue": { - "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.fieldSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.labelSelector": { - "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.limit": { - "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.pretty": { - "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersion": { - "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.resourceVersionMatch": { - "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.sendInitialEvents": { - "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.timeoutSeconds": { - "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", - "requiresRelaxedTypeAnnotation": false - }, - ".query.watch": { - "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", - "requiresRelaxedTypeAnnotation": false - } - }, - "body": {}, - "path": { - ".name": { - "rendered": "\n/** name of the CSIStorageCapacity */\n name: string,", + "rendered": "\n/** name of the CSINode */\n name: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/storage.k8s.io/v1/watch/csistoragecapacities": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": {}, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/storage.k8s.io/v1/watch/namespaces/{namespace}/csistoragecapacities": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { ".namespace": { "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", "requiresRelaxedTypeAnnotation": false @@ -43485,11 +40168,76 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", + "requiresRelaxedTypeAnnotation": false + } + } + }, + "get__/apis/storage.k8s.io/v1/watch/namespaces/{namespace}/csistoragecapacities/{name}": { + "query": { + ".query": { + "rendered": " query: { \n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean, \n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string, \n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string, \n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string, \n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number, \n/** If 'true', then the output is pretty printed. */\n pretty?: string, \n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string, \n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string, \n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean, \n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number, \n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".query.allowWatchBookmarks": { + "rendered": "\n/** allowWatchBookmarks requests watch events with type \"BOOKMARK\". Servers that do not implement bookmarks may ignore this flag and bookmarks are sent at the server's discretion. Clients should not assume bookmarks are returned at any specific interval, nor may they assume the server will send any BOOKMARK event during a session. If this is not a watch, this field is ignored. */\n allowWatchBookmarks?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.continue": { + "rendered": "\n/** The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications. */\n continue?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.fieldSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their fields. Defaults to everything. */\n fieldSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.labelSelector": { + "rendered": "\n/** A selector to restrict the list of returned objects by their labels. Defaults to everything. */\n labelSelector?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.limit": { + "rendered": "\n/** limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned. */\n limit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.pretty": { + "rendered": "\n/** If 'true', then the output is pretty printed. */\n pretty?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersion": { + "rendered": "\n/** resourceVersion sets a constraint on what resource versions a request may be served from. See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.resourceVersionMatch": { + "rendered": "\n/** resourceVersionMatch determines how resourceVersion is applied to list calls. It is highly recommended that resourceVersionMatch be set for list calls where resourceVersion is set See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for details.\n\nDefaults to unset */\n resourceVersionMatch?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.sendInitialEvents": { + "rendered": "\n/** `sendInitialEvents=true` may be set together with `watch=true`. In that case, the watch stream will begin with synthetic events to produce the current state of objects in the collection. Once all such events have been sent, a synthetic \"Bookmark\" event will be sent. The bookmark will report the ResourceVersion (RV) corresponding to the set of objects, and be marked with `\"k8s.io/initial-events-end\": \"true\"` annotation. Afterwards, the watch stream will proceed as usual, sending watch events corresponding to changes (subsequent to the RV) to objects watched.\n\nWhen `sendInitialEvents` option is set, we require `resourceVersionMatch` option to also be set. The semantic of the watch request is as following: - `resourceVersionMatch` = NotOlderThan\n is interpreted as \"data at least as new as the provided `resourceVersion`\"\n and the bookmark event is send when the state is synced\n to a `resourceVersion` at least as fresh as the one provided by the ListOptions.\n If `resourceVersion` is unset, this is interpreted as \"consistent read\" and the\n bookmark event is send when the state is synced at least to the moment\n when request started being processed.\n- `resourceVersionMatch` set to any other value or unset\n Invalid error is returned.\n\nDefaults to true if `resourceVersion=\"\"` or `resourceVersion=\"0\"` (for backward compatibility reasons) and to false otherwise. */\n sendInitialEvents?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.timeoutSeconds": { + "rendered": "\n/** Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity. */\n timeoutSeconds?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".query.watch": { + "rendered": "\n/** Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion. */\n watch?: boolean,", + "requiresRelaxedTypeAnnotation": false + } + }, + "body": {}, + "path": { + ".name": { + "rendered": "\n/** name of the CSIStorageCapacity */\n name: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".namespace": { + "rendered": "\n/** object name and auth scope, such as for teams and projects */\n namespace: string,", + "requiresRelaxedTypeAnnotation": false + } + }, + "response": { + ".__no_name": { + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43549,11 +40297,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43618,11 +40362,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43682,11 +40422,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43751,11 +40487,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -43766,11 +40498,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1APIResourceList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.APIResourceList", "requiresRelaxedTypeAnnotation": false } } @@ -43830,11 +40558,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacityList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacityList", "requiresRelaxedTypeAnnotation": false } } @@ -43916,11 +40640,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -43985,11 +40705,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacityList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacityList", "requiresRelaxedTypeAnnotation": false } } @@ -44035,11 +40751,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -44093,11 +40805,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1Status", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.Status", "requiresRelaxedTypeAnnotation": false } } @@ -44126,11 +40834,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -44184,11 +40888,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -44238,11 +40938,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApiStorageV1Beta1CSIStorageCapacity", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.api.storage.v1beta1.CSIStorageCapacity", "requiresRelaxedTypeAnnotation": false } } @@ -44302,11 +40998,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -44371,11 +41063,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -44444,11 +41132,7 @@ }, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgApisMetaV1WatchEvent", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.apis.meta.v1.WatchEvent", "requiresRelaxedTypeAnnotation": false } } @@ -44509,11 +41193,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IoK8SApimachineryPkgVersionInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "io.k8s.apimachinery.pkg.version.Info", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/lyft.json b/src/app/generator/test-data/param-generator/golden-files/lyft.json index 251841f..ead7309 100644 --- a/src/app/generator/test-data/param-generator/golden-files/lyft.json +++ b/src/app/generator/test-data/param-generator/golden-files/lyft.json @@ -30,20 +30,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n cost_estimates?: (CostEstimate)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ cost_estimates?: (CostEstimate)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.cost_estimates": { + "rendered": " cost_estimates?: (CostEstimate)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.cost_estimates.__no_name": { + "rendered": "CostEstimate", + "requiresRelaxedTypeAnnotation": true } } }, @@ -66,19 +62,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n nearby_drivers?: (NearbyDriversByRideType)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ nearby_drivers?: (NearbyDriversByRideType)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nearby_drivers": { + "rendered": " nearby_drivers?: (NearbyDriversByRideType)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.nearby_drivers.__no_name": { + "rendered": "NearbyDriversByRideType", "requiresRelaxedTypeAnnotation": false } } @@ -114,20 +106,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n eta_estimates?: (Eta)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ eta_estimates?: (Eta)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.eta_estimates": { + "rendered": " eta_estimates?: (Eta)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.eta_estimates.__no_name": { + "rendered": "Eta", + "requiresRelaxedTypeAnnotation": true } } }, @@ -139,10 +127,6 @@ ".__no_name": { "rendered": "Profile", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -169,20 +153,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ride_history?: (RideDetail)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ride_history?: (RideDetail)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ride_history": { + "rendered": " ride_history?: (RideDetail)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ride_history.__no_name": { + "rendered": "RideDetail", + "requiresRelaxedTypeAnnotation": true } } }, @@ -203,10 +183,6 @@ ".__no_name": { "rendered": "RideRequest", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -223,10 +199,6 @@ ".__no_name": { "rendered": "RideDetail", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -281,10 +253,6 @@ ".__no_name": { "rendered": "Location", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -330,10 +298,6 @@ ".__no_name": { "rendered": "RideReceipt", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -360,20 +324,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ride_types?: (RideType)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ride_types?: (RideType)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ride_types": { + "rendered": " ride_types?: (RideType)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ride_types.__no_name": { + "rendered": "RideType", + "requiresRelaxedTypeAnnotation": true } } }, @@ -423,10 +383,6 @@ ".__no_name": { "rendered": "SandboxRideUpdate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -447,10 +403,6 @@ ".__no_name": { "rendered": "SandboxRideType", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/medium.json b/src/app/generator/test-data/param-generator/golden-files/medium.json index f2239c8..6fb8227 100644 --- a/src/app/generator/test-data/param-generator/golden-files/medium.json +++ b/src/app/generator/test-data/param-generator/golden-files/medium.json @@ -5,15 +5,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * Full name of the API's developer\n * @example \"Nishu Jain\"\n */\n developer?: string,\n /**\n * Link to the Medium API's documentation\n * @example \"https://docs.mediumapi.com\"\n */\n documentation?: string,\n /**\n * Email ID of the developer\n * @example \"nishu@mediumapi.com\"\n */\n email?: string,\n /**\n * LinkedIn Page URL\n * @example \"https://www.linkedin.com/company/medium-api\"\n */\n linkedin?: string,\n /**\n * Full name of the API\n * @example \"Medium API\"\n */\n name?: string,\n /**\n * Twitter Profile URL\n * @example \"https://twitter.com/medium_api\"\n */\n twitter?: string,\n /**\n * Link to the Medium API's website\n * @example \"https://mediumapi.com\"\n */\n website?: string,\n\n}", + "rendered": "{ \n/** Full name of the API's developer */\n developer?: string, \n/** Link to the Medium API's documentation */\n documentation?: string, \n/** Email ID of the developer */\n email?: string, \n/** LinkedIn Page URL */\n linkedin?: string, \n/** Full name of the API */\n name?: string, \n/** Twitter Profile URL */\n twitter?: string, \n/** Link to the Medium API's website */\n website?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.developer": { + "rendered": "\n/** Full name of the API's developer */\n developer?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.documentation": { + "rendered": "\n/** Link to the Medium API's documentation */\n documentation?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.email": { + "rendered": "\n/** Email ID of the developer */\n email?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.linkedin": { + "rendered": "\n/** LinkedIn Page URL */\n linkedin?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": "\n/** Full name of the API */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.twitter": { + "rendered": "\n/** Twitter Profile URL */\n twitter?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.website": { + "rendered": "\n/** Link to the Medium API's website */\n website?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -29,19 +49,91 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"1985b61817c3\" */\n author?: string,\n /**\n * @format int32\n * @example 53\n */\n claps?: number,\n /** @example \"f06086080568\" */\n id?: string,\n /** @example \"https://miro.medium.com/1*W0wM9xIeeIR3_Oo0E_thaA.png\" */\n image_url?: string,\n /** @example true */\n is_locked?: boolean,\n /** @example false */\n is_series?: boolean,\n /** @example \"en\" */\n lang?: string,\n /** @example \"2021-05-28 04:22:48\" */\n last_modified_at?: string,\n /** @example \"e7040e67514c\" */\n publication_id?: string,\n /** @example \"2020-08-25 11:08:18\" */\n published_at?: string,\n /** @example 3.5720125786164 */\n reading_time?: number,\n /**\n * @format int32\n * @example 10\n */\n responses_count?: number,\n /** @example \"Re-energize your relationship in the midst of a crisis\" */\n subtitle?: string,\n tags?: (string)[],\n /** @example \"4 Tips to Strengthen Your Bonds — Now\" */\n title?: string,\n topics?: (string)[],\n /** @example \"https://medium.com/age-of-awareness/re-energizing-your-relationship-in-the-midst-of-a-crisis-f06086080568\" */\n url?: string,\n /**\n * @format int32\n * @example 3\n */\n voters?: number,\n /**\n * @format int32\n * @example 845\n */\n word_count?: number,\n\n}", + "rendered": "{ author?: string, claps?: number, id?: string, image_url?: string, is_locked?: boolean, is_series?: boolean, lang?: string, last_modified_at?: string, publication_id?: string, published_at?: string, reading_time?: number, responses_count?: number, subtitle?: string, tags?: (string)[], title?: string, topics?: (string)[], url?: string, voters?: number, word_count?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.author": { + "rendered": " author?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.claps": { + "rendered": " claps?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.image_url": { + "rendered": " image_url?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.is_locked": { + "rendered": " is_locked?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.is_series": { + "rendered": " is_series?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.lang": { + "rendered": " lang?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.last_modified_at": { + "rendered": " last_modified_at?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.publication_id": { + "rendered": " publication_id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.published_at": { + "rendered": " published_at?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.reading_time": { + "rendered": " reading_time?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.responses_count": { + "rendered": " responses_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.subtitle": { + "rendered": " subtitle?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.tags": { + "rendered": " tags?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.tags.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.title": { + "rendered": " title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.topics": { + "rendered": " topics?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.topics.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.voters": { + "rendered": " voters?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.word_count": { + "rendered": " word_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -57,15 +149,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * @example \"Article title\n * Article Subtitle\n * Article Content ....\n * \"\n */\n content?: string,\n\n}", + "rendered": "{ content?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.content": { + "rendered": " content?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -81,19 +169,23 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"67fa62fc1971\" */\n article_id?: string,\n /**\n * @format int32\n * @example 145\n */\n count?: number,\n voters?: (string)[],\n\n}", + "rendered": "{ article_id?: string, count?: number, voters?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.article_id": { + "rendered": " article_id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.count": { + "rendered": " count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.voters": { + "rendered": " voters?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.voters.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -109,15 +201,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * @example \"# Article title\n * ## Article Subtitle\n * Article **Content** with lot of _markups_ ....\n * ![Images Alt](Image URL)\n * \"\n */\n markdown?: string,\n\n}", + "rendered": "{ markdown?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.markdown": { + "rendered": " markdown?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -133,19 +221,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"67fa62fc1971\" */\n id?: string,\n related_articles?: (string)[],\n\n}", + "rendered": "{ id?: string, related_articles?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.related_articles": { + "rendered": " related_articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.related_articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -161,19 +249,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"67fa62fc1971\" */\n id?: string,\n responses?: (string)[],\n\n}", + "rendered": "{ id?: string, responses?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.responses": { + "rendered": " responses?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.responses.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -189,19 +277,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n latestposts?: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ latestposts?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.latestposts": { + "rendered": " latestposts?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.latestposts.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -217,15 +301,51 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * `user_id` of the author\n * @example \"1985b61817c3\"\n */\n author?: string,\n /**\n * @format int32\n * @example 48\n */\n claps?: number,\n /**\n * Number of articles in the list\n * @format int32\n * @example 18\n */\n count?: number,\n /** @example \"2023-03-12 06:46:46\" */\n created_at?: string,\n /** @example \"Collections of all the articles and resources related to Medium API\" */\n description?: string,\n /** @example \"38f9e0f9bea6\" */\n id?: string,\n /** @example \"2023-03-12 06:53:02\" */\n last_item_inserted_at?: string,\n /** @example \"Medium API\" */\n name?: string,\n /**\n * @format int32\n * @example 1\n */\n responses_count?: number,\n /**\n * Image URL\n * @example \"https://miro.medium.com/0*8f634a2860234802375db89fbfcccb5cc717f3fd.jpeg\"\n */\n thumbnail?: string,\n /**\n * @format int32\n * @example 1\n */\n voters?: number,\n\n}", + "rendered": "{ \n/** `user_id` of the author */\n author?: string, claps?: number, \n/** Number of articles in the list */\n count?: number, created_at?: string, description?: string, id?: string, last_item_inserted_at?: string, name?: string, responses_count?: number, \n/** Image URL */\n thumbnail?: string, voters?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.author": { + "rendered": "\n/** `user_id` of the author */\n author?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.claps": { + "rendered": " claps?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.count": { + "rendered": "\n/** Number of articles in the list */\n count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.created_at": { + "rendered": " created_at?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": " description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.last_item_inserted_at": { + "rendered": " last_item_inserted_at?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.responses_count": { + "rendered": " responses_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.thumbnail": { + "rendered": "\n/** Image URL */\n thumbnail?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.voters": { + "rendered": " voters?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -241,19 +361,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"38f9e0f9bea6\" */\n id?: string,\n list_articles?: (string)[],\n\n}", + "rendered": "{ id?: string, list_articles?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.list_articles": { + "rendered": " list_articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.list_articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -269,19 +389,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"38f9e0f9bea6\" */\n id?: string,\n responses?: (string)[],\n\n}", + "rendered": "{ id?: string, responses?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.responses": { + "rendered": " responses?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.responses.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -297,15 +417,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Unique hash id of the publication.\n * @example \"29038077e4c6\"\n */\n publication_id?: string,\n /**\n * Same publication slug that you passed in the path parameters.\n * @example \"codex\"\n */\n publication_slug?: string,\n\n}", + "rendered": "{ \n/** Unique hash id of the publication. */\n publication_id?: string, \n/** Same publication slug that you passed in the path parameters. */\n publication_slug?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publication_id": { + "rendered": "\n/** Unique hash id of the publication. */\n publication_id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publication_slug": { + "rendered": "\n/** Same publication slug that you passed in the path parameters. */\n publication_slug?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -321,19 +441,67 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"8a819983d566\" */\n creator?: string,\n /** @example \"Towards AI is the world's leading AI and technology publication. Publishing unbiased AI and technology-related articles. Read by thought-leaders and decision-makers around the world.\" */\n description?: string,\n editors?: (string)[],\n /** @example \"towardsAl\" */\n facebook_pagename?: string,\n /**\n * @format int32\n * @example 25260\n */\n followers?: number,\n /** @example \"98111c9905da\" */\n id?: string,\n /** @example \"towards_ai\" */\n instagram_username?: string,\n /** @example \"Towards AI\" */\n name?: string,\n /** @example \"towards-artificial-intelligence\" */\n slug?: string,\n /** @example \"The World's Leading AI and Technology Publication\" */\n tagline?: string,\n tags?: (string)[],\n /** @example \"towards_AI\" */\n twitter_username?: string,\n /** @example \"pub.towardsai.net\" */\n url?: string,\n\n}", + "rendered": "{ creator?: string, description?: string, editors?: (string)[], facebook_pagename?: string, followers?: number, id?: string, instagram_username?: string, name?: string, slug?: string, tagline?: string, tags?: (string)[], twitter_username?: string, url?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.creator": { + "rendered": " creator?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": " description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.editors": { + "rendered": " editors?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.editors.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.facebook_pagename": { + "rendered": " facebook_pagename?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.followers": { + "rendered": " followers?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.id": { + "rendered": " id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.instagram_username": { + "rendered": " instagram_username?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.slug": { + "rendered": " slug?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tagline": { + "rendered": " tagline?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags": { + "rendered": " tags?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.twitter_username": { + "rendered": " twitter_username?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -358,19 +526,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n publication_articles?: (string)[],\n\n}", + "rendered": "{ publication_articles?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publication_articles": { + "rendered": " publication_articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publication_articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -386,15 +550,35 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"aea8a19ea239\" */\n creator_id?: string,\n /** @example \"We have moved our newsletter. Subscribe → https://ws.towardsai.net/subscribe\" */\n description?: string,\n /** @example \"d710a73cd042\" */\n id?: string,\n /** @example \"https://miro.medium.com/1*j2OVd7j2o2FHeE7T8TzpXw.png\" */\n image?: string,\n /** @example \"This AI newsletter is all you need\" */\n name?: string,\n /** @example \"this-ai-newsletter-is-all-you-need\" */\n slug?: string,\n /**\n * @format int32\n * @example 6752\n */\n subscribers?: number,\n\n}", + "rendered": "{ creator_id?: string, description?: string, id?: string, image?: string, name?: string, slug?: string, subscribers?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.creator_id": { + "rendered": " creator_id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.description": { + "rendered": " description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.id": { + "rendered": " id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.image": { + "rendered": " image?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.name": { + "rendered": " name?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.slug": { + "rendered": " slug?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.subscribers": { + "rendered": " subscribers?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -410,19 +594,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"blockchain\" */\n given_tag?: string,\n related_tags?: (string)[],\n\n}", + "rendered": "{ given_tag?: string, related_tags?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.given_tag": { + "rendered": " given_tag?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.related_tags": { + "rendered": " related_tags?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.related_tags.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -447,19 +631,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n articles?: (string)[],\n /** @example \"startup\" */\n search_query?: string,\n\n}", + "rendered": "{ articles?: (string)[], search_query?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.articles": { + "rendered": " articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.search_query": { + "rendered": " search_query?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -484,19 +668,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n lists?: (string)[],\n /** @example \"artificial intelligence\" */\n search_query?: string,\n\n}", + "rendered": "{ lists?: (string)[], search_query?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.lists": { + "rendered": " lists?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.lists.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.search_query": { + "rendered": " search_query?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -521,19 +705,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n publications?: (string)[],\n /** @example \"mental health\" */\n search_query?: string,\n\n}", + "rendered": "{ publications?: (string)[], search_query?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publications": { + "rendered": " publications?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publications.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.search_query": { + "rendered": " search_query?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -558,19 +742,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"blockchain\" */\n search_query?: string,\n tags?: (string)[],\n\n}", + "rendered": "{ search_query?: string, tags?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.search_query": { + "rendered": " search_query?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags": { + "rendered": " tags?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -595,19 +779,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** @example \"data engineer\" */\n search_query?: string,\n users?: (string)[],\n\n}", + "rendered": "{ search_query?: string, users?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.search_query": { + "rendered": " search_query?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.users": { + "rendered": " users?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.users.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -632,19 +816,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n top_writers?: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ top_writers?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.top_writers": { + "rendered": " top_writers?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.top_writers.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -677,19 +857,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n topfeeds?: (string)[],\n\n}", + "rendered": "{ topfeeds?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.topfeeds": { + "rendered": " topfeeds?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.topfeeds.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -705,15 +881,11 @@ }, "response": { ".__no_name": { - "rendered": "{\n /**\n * Unique hash id of the user.\n * @example \"1985b61817c3\"\n */\n id?: string,\n\n}", + "rendered": "{ \n/** Unique hash id of the user. */\n id?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": "\n/** Unique hash id of the user. */\n id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -729,19 +901,71 @@ }, "response": { ".__no_name": { - "rendered": "{\n allow_notes?: boolean,\n /** @example \"Obsessed with Tech Biz Arts & Words; Does NOT dumb down the writing; Skilled Wordsmith; Delivers the best\" */\n bio?: string,\n /**\n * @format int32\n * @example 450\n */\n followers_count?: number,\n /**\n * @format int32\n * @example 4\n */\n following_count?: number,\n /** @example \"Nishu Jain\" */\n fullname?: string,\n /** @example true */\n has_list?: boolean,\n /** @example \"1985b61817c3\" */\n id?: string,\n /** @example \"https://miro.medium.com/1*C92Hx7k9nRM7TPlrmhgW9w.jpeg\" */\n image_url?: string,\n /** @example false */\n is_book_author?: boolean,\n /** @example false */\n is_suspended?: boolean,\n is_writer_program_enrolled?: boolean,\n /** @example \"2020-06-24 16:05:46\" */\n medium_member_at?: string,\n top_writer_in?: (string)[],\n /** @example \"one_anachronism\" */\n twitter_username?: string,\n /** @example \"nishu-jain\" */\n username?: string,\n\n}", + "rendered": "{ allow_notes?: boolean, bio?: string, followers_count?: number, following_count?: number, fullname?: string, has_list?: boolean, id?: string, image_url?: string, is_book_author?: boolean, is_suspended?: boolean, is_writer_program_enrolled?: boolean, medium_member_at?: string, top_writer_in?: (string)[], twitter_username?: string, username?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.allow_notes": { + "rendered": " allow_notes?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bio": { + "rendered": " bio?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.followers_count": { + "rendered": " followers_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.following_count": { + "rendered": " following_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.fullname": { + "rendered": " fullname?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.has_list": { + "rendered": " has_list?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.image_url": { + "rendered": " image_url?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.is_book_author": { + "rendered": " is_book_author?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.is_suspended": { + "rendered": " is_suspended?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.is_writer_program_enrolled": { + "rendered": " is_writer_program_enrolled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.medium_member_at": { + "rendered": " medium_member_at?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.top_writer_in": { + "rendered": " top_writer_in?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.top_writer_in.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.twitter_username": { + "rendered": " twitter_username?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.username": { + "rendered": " username?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -757,19 +981,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n associated_articles?: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ associated_articles?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.associated_articles": { + "rendered": " associated_articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.associated_articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -794,19 +1014,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n followers?: (string)[],\n /** @example \"14d5c41e0264\" */\n id?: string,\n\n}", + "rendered": "{ followers?: (string)[], id?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.followers": { + "rendered": " followers?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.followers.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -831,19 +1051,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n following?: (string)[],\n /** @example \"14d5c41e0264\" */\n id?: string,\n\n}", + "rendered": "{ following?: (string)[], id?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.following": { + "rendered": " following?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.following.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -859,19 +1079,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n tags_followed?: (string)[],\n\n}", + "rendered": "{ tags_followed?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags_followed": { + "rendered": " tags_followed?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.tags_followed.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -887,19 +1103,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n lists?: (string)[],\n /** @example \"5142451174a3\" */\n user_id?: string,\n\n}", + "rendered": "{ lists?: (string)[], user_id?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.lists": { + "rendered": " lists?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.lists.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.user_id": { + "rendered": " user_id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -915,19 +1131,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n publications?: (string)[],\n /** @example \"14d5c41e0264\" */\n user_id?: string,\n\n}", + "rendered": "{ publications?: (string)[], user_id?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publications": { + "rendered": " publications?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.publications.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.user_id": { + "rendered": " user_id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -943,19 +1159,15 @@ }, "response": { ".__no_name": { - "rendered": "{\n associated_articles?: (string)[],\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "{ associated_articles?: (string)[], }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.associated_articles": { + "rendered": " associated_articles?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.associated_articles.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/mercedez-benz-car-configurator.json b/src/app/generator/test-data/param-generator/golden-files/mercedez-benz-car-configurator.json index 97593aa..eeba2d1 100644 --- a/src/app/generator/test-data/param-generator/golden-files/mercedez-benz-car-configurator.json +++ b/src/app/generator/test-data/param-generator/golden-files/mercedez-benz-car-configurator.json @@ -30,11 +30,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "Market", "requiresRelaxedTypeAnnotation": false } } @@ -65,10 +61,6 @@ ".__no_name": { "rendered": "Market", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -116,11 +108,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "VehicleBody", "requiresRelaxedTypeAnnotation": false } } @@ -155,10 +143,6 @@ ".__no_name": { "rendered": "VehicleBody", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -206,11 +190,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "VehicleClass", "requiresRelaxedTypeAnnotation": false } } @@ -245,10 +225,6 @@ ".__no_name": { "rendered": "VehicleClass", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -308,11 +284,7 @@ "requiresRelaxedTypeAnnotation": false }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "VehicleModel", "requiresRelaxedTypeAnnotation": false } } @@ -347,10 +319,6 @@ ".__no_name": { "rendered": "VehicleModel", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -384,10 +352,6 @@ ".__no_name": { "rendered": "VehicleConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -425,10 +389,6 @@ ".__no_name": { "rendered": "VehicleConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -472,12 +432,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "VehicleAlternative", + "requiresRelaxedTypeAnnotation": true } } }, @@ -502,10 +458,6 @@ ".__no_name": { "rendered": "ComponentsImagesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -530,10 +482,6 @@ ".__no_name": { "rendered": "EngineImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -558,10 +506,6 @@ ".__no_name": { "rendered": "AllEquipmentImagesResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -590,10 +534,6 @@ ".__no_name": { "rendered": "EquipmentImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -618,10 +558,6 @@ ".__no_name": { "rendered": "PaintImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -646,10 +582,6 @@ ".__no_name": { "rendered": "RimImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -674,10 +606,6 @@ ".__no_name": { "rendered": "TrimImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -702,10 +630,6 @@ ".__no_name": { "rendered": "UpholsteryImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -747,10 +671,6 @@ ".__no_name": { "rendered": "VehicleImageResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -796,10 +716,6 @@ ".__no_name": { "rendered": "VehicleComponentTree", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -825,10 +741,6 @@ ".__no_name": { "rendered": "OnlineCodeResponseBody", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -862,10 +774,6 @@ ".__no_name": { "rendered": "VehicleConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -895,10 +803,6 @@ ".__no_name": { "rendered": "ProductGroupsPerMarket", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/microsoft-workload-monitor.json b/src/app/generator/test-data/param-generator/golden-files/microsoft-workload-monitor.json index 61e8bfe..0c57c9d 100644 --- a/src/app/generator/test-data/param-generator/golden-files/microsoft-workload-monitor.json +++ b/src/app/generator/test-data/param-generator/golden-files/microsoft-workload-monitor.json @@ -20,10 +20,6 @@ ".__no_name": { "rendered": "OperationListResult", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -77,10 +73,6 @@ ".__no_name": { "rendered": "ComponentsCollection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -134,10 +126,6 @@ ".__no_name": { "rendered": "MonitorInstancesCollection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -207,10 +195,6 @@ ".__no_name": { "rendered": "ComponentsCollection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -264,10 +248,6 @@ ".__no_name": { "rendered": "Component", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -337,10 +317,6 @@ ".__no_name": { "rendered": "MonitorInstancesCollection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -394,10 +370,6 @@ ".__no_name": { "rendered": "MonitorInstance", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -447,10 +419,6 @@ ".__no_name": { "rendered": "MonitorsCollection", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -496,10 +464,6 @@ ".__no_name": { "rendered": "Monitor", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -554,10 +518,6 @@ ".__no_name": { "rendered": "Monitor", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -603,10 +563,6 @@ ".__no_name": { "rendered": "NotificationSettingsCollection", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -652,10 +608,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -710,10 +662,6 @@ ".__no_name": { "rendered": "NotificationSetting", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/notion.json b/src/app/generator/test-data/param-generator/golden-files/notion.json index aa9da3e..f4f6543 100644 --- a/src/app/generator/test-data/param-generator/golden-files/notion.json +++ b/src/app/generator/test-data/param-generator/golden-files/notion.json @@ -11,11 +11,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -26,11 +22,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -41,11 +33,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -61,11 +49,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -90,11 +74,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -119,11 +99,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -143,11 +119,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -167,11 +139,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -187,11 +155,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -216,11 +180,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -240,11 +200,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -269,11 +225,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -298,11 +250,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -327,11 +275,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -347,11 +291,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -367,11 +307,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -391,11 +327,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -419,11 +351,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -443,11 +371,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/nyt-books.json b/src/app/generator/test-data/param-generator/golden-files/nyt-books.json index e98d3ea..3b98536 100644 --- a/src/app/generator/test-data/param-generator/golden-files/nyt-books.json +++ b/src/app/generator/test-data/param-generator/golden-files/nyt-books.json @@ -55,31 +55,159 @@ }, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n last_modified?: string,\n num_results?: number,\n results?: ({\n amazon_product_url?: string,\n asterisk?: number,\n bestsellers_date?: string,\n book_details?: ({\n age_group?: string,\n author?: string,\n contributor?: string,\n contributor_note?: string,\n description?: string,\n price?: number,\n \"primary_isbn10\"?: string,\n \"primary_isbn13\"?: string,\n publisher?: string,\n title?: string,\n\n})[],\n dagger?: number,\n display_name?: string,\n isbns?: ({\n \"isbn10\"?: string,\n \"isbn13\"?: string,\n\n})[],\n list_name?: string,\n published_date?: string,\n rank?: number,\n rank_last_week?: number,\n reviews?: ({\n article_chapter_link?: string,\n book_review_link?: string,\n first_chapter_link?: string,\n sunday_review_link?: string,\n\n})[],\n weeks_on_list?: number,\n\n})[],\n status?: string,\n\n}", + "rendered": "{ copyright?: string, last_modified?: string, num_results?: number, results?: ({ amazon_product_url?: string, asterisk?: number, bestsellers_date?: string, book_details?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, title?: string, })[], dagger?: number, display_name?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], list_name?: string, published_date?: string, rank?: number, rank_last_week?: number, reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], weeks_on_list?: number, })[], status?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.copyright": { + "rendered": " copyright?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.last_modified": { + "rendered": " last_modified?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.num_results": { + "rendered": " num_results?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results": { + "rendered": " results?: ({ amazon_product_url?: string, asterisk?: number, bestsellers_date?: string, book_details?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, title?: string, })[], dagger?: number, display_name?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], list_name?: string, published_date?: string, rank?: number, rank_last_week?: number, reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], weeks_on_list?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name": { + "rendered": "{ amazon_product_url?: string, asterisk?: number, bestsellers_date?: string, book_details?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, title?: string, })[], dagger?: number, display_name?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], list_name?: string, published_date?: string, rank?: number, rank_last_week?: number, reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], weeks_on_list?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.amazon_product_url": { + "rendered": " amazon_product_url?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.asterisk": { + "rendered": " asterisk?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.bestsellers_date": { + "rendered": " bestsellers_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details": { + "rendered": " book_details?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, title?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name": { + "rendered": "{ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, title?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.age_group": { + "rendered": " age_group?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.author": { + "rendered": " author?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.contributor": { + "rendered": " contributor?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.contributor_note": { + "rendered": " contributor_note?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.description": { + "rendered": " description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.price": { + "rendered": " price?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.primary_isbn10": { + "rendered": " primary_isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.primary_isbn13": { + "rendered": " primary_isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.publisher": { + "rendered": " publisher?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_details.__no_name.title": { + "rendered": " title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.dagger": { + "rendered": " dagger?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.display_name": { + "rendered": " display_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns": { + "rendered": " isbns?: ({ isbn10?: string, isbn13?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name": { + "rendered": "{ isbn10?: string, isbn13?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name.isbn10": { + "rendered": " isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name.isbn13": { + "rendered": " isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.list_name": { + "rendered": " list_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.published_date": { + "rendered": " published_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.rank": { + "rendered": " rank?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.rank_last_week": { + "rendered": " rank_last_week?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews": { + "rendered": " reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name": { + "rendered": "{ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.article_chapter_link": { + "rendered": " article_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.book_review_link": { + "rendered": " book_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.first_chapter_link": { + "rendered": " first_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.sunday_review_link": { + "rendered": " sunday_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.weeks_on_list": { + "rendered": " weeks_on_list?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -123,31 +251,151 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n num_results?: number,\n results?: ({\n age_group?: string,\n author?: string,\n contributor?: string,\n contributor_note?: string,\n description?: string,\n isbns?: ({\n \"isbn10\"?: string,\n \"isbn13\"?: string,\n\n})[],\n price?: number,\n publisher?: string,\n ranks_history?: ({\n asterisk?: number,\n bestsellers_date?: string,\n dagger?: number,\n display_name?: string,\n list_name?: string,\n \"primary_isbn10\"?: string,\n \"primary_isbn13\"?: string,\n published_date?: string,\n rank?: number,\n ranks_last_week?: any,\n weeks_on_list?: number,\n\n})[],\n reviews?: ({\n article_chapter_link?: string,\n book_review_link?: string,\n first_chapter_link?: string,\n sunday_review_link?: string,\n\n})[],\n title?: string,\n\n})[],\n status?: string,\n\n}", + "rendered": "{ copyright?: string, num_results?: number, results?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, publisher?: string, ranks_history?: ({ asterisk?: number, bestsellers_date?: string, dagger?: number, display_name?: string, list_name?: string, primary_isbn10?: string, primary_isbn13?: string, published_date?: string, rank?: number, weeks_on_list?: number, })[], reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], title?: string, })[], status?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.copyright": { + "rendered": " copyright?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.num_results": { + "rendered": " num_results?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results": { + "rendered": " results?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, publisher?: string, ranks_history?: ({ asterisk?: number, bestsellers_date?: string, dagger?: number, display_name?: string, list_name?: string, primary_isbn10?: string, primary_isbn13?: string, published_date?: string, rank?: number, weeks_on_list?: number, })[], reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], title?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name": { + "rendered": "{ age_group?: string, author?: string, contributor?: string, contributor_note?: string, description?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, publisher?: string, ranks_history?: ({ asterisk?: number, bestsellers_date?: string, dagger?: number, display_name?: string, list_name?: string, primary_isbn10?: string, primary_isbn13?: string, published_date?: string, rank?: number, weeks_on_list?: number, })[], reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[], title?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.age_group": { + "rendered": " age_group?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.author": { + "rendered": " author?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.contributor": { + "rendered": " contributor?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.contributor_note": { + "rendered": " contributor_note?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.description": { + "rendered": " description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns": { + "rendered": " isbns?: ({ isbn10?: string, isbn13?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name": { + "rendered": "{ isbn10?: string, isbn13?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name.isbn10": { + "rendered": " isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbns.__no_name.isbn13": { + "rendered": " isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.price": { + "rendered": " price?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.publisher": { + "rendered": " publisher?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history": { + "rendered": " ranks_history?: ({ asterisk?: number, bestsellers_date?: string, dagger?: number, display_name?: string, list_name?: string, primary_isbn10?: string, primary_isbn13?: string, published_date?: string, rank?: number, weeks_on_list?: number, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name": { + "rendered": "{ asterisk?: number, bestsellers_date?: string, dagger?: number, display_name?: string, list_name?: string, primary_isbn10?: string, primary_isbn13?: string, published_date?: string, rank?: number, weeks_on_list?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.asterisk": { + "rendered": " asterisk?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.bestsellers_date": { + "rendered": " bestsellers_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.dagger": { + "rendered": " dagger?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.display_name": { + "rendered": " display_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.list_name": { + "rendered": " list_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.primary_isbn10": { + "rendered": " primary_isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.primary_isbn13": { + "rendered": " primary_isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.published_date": { + "rendered": " published_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.rank": { + "rendered": " rank?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.ranks_last_week": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.ranks_history.__no_name.weeks_on_list": { + "rendered": " weeks_on_list?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews": { + "rendered": " reviews?: ({ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name": { + "rendered": "{ article_chapter_link?: string, book_review_link?: string, first_chapter_link?: string, sunday_review_link?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.article_chapter_link": { + "rendered": " article_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.book_review_link": { + "rendered": " book_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.first_chapter_link": { + "rendered": " first_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.reviews.__no_name.sunday_review_link": { + "rendered": " sunday_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.title": { + "rendered": " title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -172,23 +420,51 @@ }, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n num_results?: number,\n results?: ({\n display_name?: string,\n list_name?: string,\n list_name_encoded?: string,\n newest_published_date?: string,\n oldest_published_date?: string,\n updated?: string,\n\n})[],\n status?: string,\n\n}", + "rendered": "{ copyright?: string, num_results?: number, results?: ({ display_name?: string, list_name?: string, list_name_encoded?: string, newest_published_date?: string, oldest_published_date?: string, updated?: string, })[], status?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.copyright": { + "rendered": " copyright?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.num_results": { + "rendered": " num_results?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results": { + "rendered": " results?: ({ display_name?: string, list_name?: string, list_name_encoded?: string, newest_published_date?: string, oldest_published_date?: string, updated?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name": { + "rendered": "{ display_name?: string, list_name?: string, list_name_encoded?: string, newest_published_date?: string, oldest_published_date?: string, updated?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.display_name": { + "rendered": " display_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.list_name": { + "rendered": " list_name?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.list_name_encoded": { + "rendered": " list_name_encoded?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.newest_published_date": { + "rendered": " newest_published_date?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.oldest_published_date": { + "rendered": " oldest_published_date?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.updated": { + "rendered": " updated?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -217,35 +493,119 @@ }, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n num_results?: number,\n results?: {\n bestsellers_date?: string,\n lists?: ({\n books?: ({\n age_group?: string,\n author?: string,\n contributor?: string,\n contributor_note?: string,\n created_date?: string,\n description?: string,\n price?: number,\n \"primary_isbn10\"?: string,\n \"primary_isbn13\"?: string,\n publisher?: string,\n rank?: number,\n title?: string,\n updated_date?: string,\n\n})[],\n display_name?: string,\n list_id?: number,\n list_image?: string,\n list_name?: string,\n updated?: string,\n\n})[],\n published_date?: string,\n\n},\n status?: string,\n\n}", + "rendered": "{ copyright?: string, num_results?: number, results?: { bestsellers_date?: string, lists?: ({ books?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, })[], display_name?: string, list_id?: number, list_image?: string, list_name?: string, updated?: string, })[], published_date?: string, }, status?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.copyright": { + "rendered": " copyright?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.num_results": { + "rendered": " num_results?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results": { + "rendered": " results?: { bestsellers_date?: string, lists?: ({ books?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, })[], display_name?: string, list_id?: number, list_image?: string, list_name?: string, updated?: string, })[], published_date?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.bestsellers_date": { + "rendered": " bestsellers_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists": { + "rendered": " lists?: ({ books?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, })[], display_name?: string, list_id?: number, list_image?: string, list_name?: string, updated?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name": { + "rendered": "{ books?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, })[], display_name?: string, list_id?: number, list_image?: string, list_name?: string, updated?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books": { + "rendered": " books?: ({ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name": { + "rendered": "{ age_group?: string, author?: string, contributor?: string, contributor_note?: string, created_date?: string, description?: string, price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, title?: string, updated_date?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.age_group": { + "rendered": " age_group?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.author": { + "rendered": " author?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.contributor": { + "rendered": " contributor?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.contributor_note": { + "rendered": " contributor_note?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.created_date": { + "rendered": " created_date?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.description": { + "rendered": " description?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.price": { + "rendered": " price?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.primary_isbn10": { + "rendered": " primary_isbn10?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.primary_isbn13": { + "rendered": " primary_isbn13?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.publisher": { + "rendered": " publisher?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.rank": { + "rendered": " rank?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.lists.__no_name.books.__no_name.title": { + "rendered": " title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.books.__no_name.updated_date": { + "rendered": " updated_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.display_name": { + "rendered": " display_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.list_id": { + "rendered": " list_id?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.list_image": { + "rendered": " list_image?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.list_name": { + "rendered": " list_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.lists.__no_name.updated": { + "rendered": " updated?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.published_date": { + "rendered": " published_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -306,35 +666,167 @@ }, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n last_modified?: string,\n num_results?: number,\n results?: {\n bestsellers_date?: string,\n books?: ({\n age_group?: string,\n amazon_product_url?: string,\n article_chapter_link?: string,\n asterisk?: number,\n author?: string,\n book_image?: string,\n book_review_link?: string,\n contributor?: string,\n contributor_note?: string,\n dagger?: number,\n description?: string,\n first_chapter_link?: string,\n isbns?: ({\n \"isbn10\"?: string,\n \"isbn13\"?: string,\n\n})[],\n price?: number,\n \"primary_isbn10\"?: string,\n \"primary_isbn13\"?: string,\n publisher?: string,\n rank?: number,\n rank_last_week?: number,\n sunday_review_link?: string,\n title?: string,\n weeks_on_list?: number,\n\n})[],\n corrections?: (hasuraSdk.JSONValue)[],\n display_name?: string,\n list_name?: string,\n normal_list_ends_at?: number,\n published_date?: string,\n updated?: string,\n\n},\n status?: string,\n\n}", + "rendered": "{ copyright?: string, last_modified?: string, num_results?: number, results?: { bestsellers_date?: string, books?: ({ age_group?: string, amazon_product_url?: string, article_chapter_link?: string, asterisk?: number, author?: string, book_image?: string, book_review_link?: string, contributor?: string, contributor_note?: string, dagger?: number, description?: string, first_chapter_link?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, rank_last_week?: number, sunday_review_link?: string, title?: string, weeks_on_list?: number, })[], corrections?: ({ })[], display_name?: string, list_name?: string, normal_list_ends_at?: number, published_date?: string, updated?: string, }, status?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.copyright": { + "rendered": " copyright?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.last_modified": { + "rendered": " last_modified?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.num_results": { + "rendered": " num_results?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results": { + "rendered": " results?: { bestsellers_date?: string, books?: ({ age_group?: string, amazon_product_url?: string, article_chapter_link?: string, asterisk?: number, author?: string, book_image?: string, book_review_link?: string, contributor?: string, contributor_note?: string, dagger?: number, description?: string, first_chapter_link?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, rank_last_week?: number, sunday_review_link?: string, title?: string, weeks_on_list?: number, })[], corrections?: ({ })[], display_name?: string, list_name?: string, normal_list_ends_at?: number, published_date?: string, updated?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.bestsellers_date": { + "rendered": " bestsellers_date?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.books": { + "rendered": " books?: ({ age_group?: string, amazon_product_url?: string, article_chapter_link?: string, asterisk?: number, author?: string, book_image?: string, book_review_link?: string, contributor?: string, contributor_note?: string, dagger?: number, description?: string, first_chapter_link?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, rank_last_week?: number, sunday_review_link?: string, title?: string, weeks_on_list?: number, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.books.__no_name": { + "rendered": "{ age_group?: string, amazon_product_url?: string, article_chapter_link?: string, asterisk?: number, author?: string, book_image?: string, book_review_link?: string, contributor?: string, contributor_note?: string, dagger?: number, description?: string, first_chapter_link?: string, isbns?: ({ isbn10?: string, isbn13?: string, })[], price?: number, primary_isbn10?: string, primary_isbn13?: string, publisher?: string, rank?: number, rank_last_week?: number, sunday_review_link?: string, title?: string, weeks_on_list?: number, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.age_group": { + "rendered": " age_group?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.amazon_product_url": { + "rendered": " amazon_product_url?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.article_chapter_link": { + "rendered": " article_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.asterisk": { + "rendered": " asterisk?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.author": { + "rendered": " author?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.book_image": { + "rendered": " book_image?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.book_review_link": { + "rendered": " book_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.contributor": { + "rendered": " contributor?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.contributor_note": { + "rendered": " contributor_note?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.dagger": { + "rendered": " dagger?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.description": { + "rendered": " description?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.first_chapter_link": { + "rendered": " first_chapter_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.isbns": { + "rendered": " isbns?: ({ isbn10?: string, isbn13?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.isbns.__no_name": { + "rendered": "{ isbn10?: string, isbn13?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.isbns.__no_name.isbn10": { + "rendered": " isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.isbns.__no_name.isbn13": { + "rendered": " isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.price": { + "rendered": " price?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.primary_isbn10": { + "rendered": " primary_isbn10?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.primary_isbn13": { + "rendered": " primary_isbn13?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.publisher": { + "rendered": " publisher?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.rank": { + "rendered": " rank?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.rank_last_week": { + "rendered": " rank_last_week?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.sunday_review_link": { + "rendered": " sunday_review_link?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.title": { + "rendered": " title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.books.__no_name.weeks_on_list": { + "rendered": " weeks_on_list?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.corrections": { + "rendered": " corrections?: ({ })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.corrections.__no_name": { + "rendered": "{ }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.display_name": { + "rendered": " display_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.list_name": { + "rendered": " list_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.normal_list_ends_at": { + "rendered": " normal_list_ends_at?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.published_date": { + "rendered": " published_date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.updated": { + "rendered": " updated?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -371,27 +863,59 @@ }, "response": { ".__no_name": { - "rendered": "{\n copyright?: string,\n num_results?: number,\n results?: ({\n book_author?: string,\n book_title?: string,\n byline?: string,\n \"isbn13\"?: (string)[],\n publication_dt?: string,\n summary?: string,\n url?: string,\n\n})[],\n status?: string,\n\n}", + "rendered": "{ copyright?: string, num_results?: number, results?: ({ book_author?: string, book_title?: string, byline?: string, isbn13?: (string)[], publication_dt?: string, summary?: string, url?: string, })[], status?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.copyright": { + "rendered": " copyright?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.num_results": { + "rendered": " num_results?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results": { + "rendered": " results?: ({ book_author?: string, book_title?: string, byline?: string, isbn13?: (string)[], publication_dt?: string, summary?: string, url?: string, })[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name": { + "rendered": "{ book_author?: string, book_title?: string, byline?: string, isbn13?: (string)[], publication_dt?: string, summary?: string, url?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_author": { + "rendered": " book_author?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.book_title": { + "rendered": " book_title?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.byline": { + "rendered": " byline?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.results.__no_name.isbn13": { + "rendered": " isbn13?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.isbn13.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.publication_dt": { + "rendered": " publication_dt?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.summary": { + "rendered": " summary?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.results.__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.status": { + "rendered": " status?: string,", "requiresRelaxedTypeAnnotation": false } } diff --git a/src/app/generator/test-data/param-generator/golden-files/petstore.json b/src/app/generator/test-data/param-generator/golden-files/petstore.json index 17719bb..8b05a54 100644 --- a/src/app/generator/test-data/param-generator/golden-files/petstore.json +++ b/src/app/generator/test-data/param-generator/golden-files/petstore.json @@ -16,10 +16,6 @@ ".__no_name": { "rendered": "Pet", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -40,10 +36,6 @@ ".__no_name": { "rendered": "Pet", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -66,12 +58,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Pet", + "requiresRelaxedTypeAnnotation": true } } }, @@ -98,12 +86,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Pet", + "requiresRelaxedTypeAnnotation": true } } }, @@ -120,10 +104,6 @@ ".__no_name": { "rendered": "Pet", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -211,10 +191,6 @@ ".__no_name": { "rendered": "ApiResponse", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -225,11 +201,7 @@ "response": { ".__no_name": { "rendered": "hasuraSdk.JSONValue", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "requiresRelaxedTypeAnnotation": true } } }, @@ -250,10 +222,6 @@ ".__no_name": { "rendered": "Order", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -270,10 +238,6 @@ ".__no_name": { "rendered": "Order", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -342,10 +306,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -370,10 +330,6 @@ ".__no_name": { "rendered": "string", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -405,10 +361,6 @@ ".__no_name": { "rendered": "User", "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/slack-web.json b/src/app/generator/test-data/param-generator/golden-files/slack-web.json index 8f31de1..c287d0d 100644 --- a/src/app/generator/test-data/param-generator/golden-files/slack-web.json +++ b/src/app/generator/test-data/param-generator/golden-files/slack-web.json @@ -18,16 +18,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -62,16 +58,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -102,16 +94,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -134,16 +122,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -178,16 +162,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -210,16 +190,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -242,16 +218,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -274,16 +246,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel_id?: DefsChannelId,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel_id?: DefsChannelId, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel_id": { + "rendered": " channel_id?: DefsChannelId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -306,16 +278,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -338,16 +306,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -382,16 +346,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -410,27 +370,55 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n prefs?: {\n can_thread?: {\n type?: (string)[],\n user?: (string)[],\n\n},\n who_can_post?: {\n type?: (string)[],\n user?: (string)[],\n\n},\n\n},\n\n}", + "rendered": "{ ok?: DefsOkTrue, prefs?: { can_thread?: { type?: (string)[], user?: (string)[], }, who_can_post?: { type?: (string)[], user?: (string)[], }, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.prefs": { + "rendered": " prefs?: { can_thread?: { type?: (string)[], user?: (string)[], }, who_can_post?: { type?: (string)[], user?: (string)[], }, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.prefs.can_thread": { + "rendered": " can_thread?: { type?: (string)[], user?: (string)[], },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.prefs.can_thread.type": { + "rendered": " type?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.prefs.can_thread.type.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.prefs.can_thread.user": { + "rendered": " user?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.prefs.can_thread.user.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.prefs.who_can_post": { + "rendered": " who_can_post?: { type?: (string)[], user?: (string)[], },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.prefs.who_can_post.type": { + "rendered": " type?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.prefs.who_can_post.type.__no_name": { + "rendered": "string", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.prefs.who_can_post.user": { + "rendered": " user?: (string)[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.prefs.who_can_post.user.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false } } @@ -458,19 +446,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n response_metadata?: {\n next_cursor: string,\n\n},\n team_ids: (DefsTeam)[],\n\n}", + "rendered": "{ ok?: DefsOkTrue, response_metadata: { next_cursor?: string, }, team_ids?: (DefsTeam)[], }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.team_ids": { + "rendered": " team_ids?: (DefsTeam)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.team_ids.__no_name": { + "rendered": "DefsTeam", "requiresRelaxedTypeAnnotation": false } } @@ -494,16 +490,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -526,16 +518,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -558,16 +546,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -594,16 +578,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -626,16 +606,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -678,19 +654,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channels: (ObjsChannel)[],\n next_cursor: string,\n\n}", + "rendered": "{ channels?: (ObjsChannel)[], next_cursor?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channels": { + "rendered": " channels?: (ObjsChannel)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channels.__no_name": { + "rendered": "ObjsChannel", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -714,16 +690,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -746,16 +718,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -778,16 +746,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -810,16 +774,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -842,16 +802,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -878,16 +834,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -910,16 +862,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -942,16 +890,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -970,16 +914,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1006,16 +946,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1042,16 +978,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1070,16 +1002,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1106,16 +1034,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1146,16 +1070,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1178,16 +1098,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1210,16 +1126,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1250,16 +1162,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1278,16 +1186,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1310,16 +1214,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1342,16 +1242,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1374,16 +1270,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1406,16 +1298,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1438,16 +1326,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1470,16 +1354,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1502,16 +1382,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1538,16 +1414,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1570,16 +1442,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1602,16 +1470,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1634,16 +1498,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1670,16 +1530,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1702,16 +1558,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1734,16 +1586,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1766,16 +1614,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1798,16 +1642,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1830,16 +1670,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1862,16 +1698,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1894,16 +1726,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1926,16 +1754,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1962,16 +1786,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1990,24 +1810,88 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n info: {\n app_home: {\n resources?: ObjsResources,\n scopes?: ObjsScopes,\n\n},\n channel: {\n resources?: ObjsResources,\n scopes?: ObjsScopes,\n\n},\n group: {\n resources?: ObjsResources,\n scopes?: ObjsScopes,\n\n},\n im: {\n resources?: ObjsResources,\n scopes?: ObjsScopes,\n\n},\n mpim: {\n resources?: ObjsResources,\n scopes?: ObjsScopes,\n\n},\n team: {\n resources: ObjsResources,\n scopes: ObjsScopes,\n\n},\n\n},\n ok: DefsOkTrue,\n\n}", + "rendered": "{ info: { app_home?: { resources?: ObjsResources, scopes?: ObjsScopes, }, channel?: { resources?: ObjsResources, scopes?: ObjsScopes, }, group?: { resources?: ObjsResources, scopes?: ObjsScopes, }, im?: { resources?: ObjsResources, scopes?: ObjsScopes, }, mpim?: { resources?: ObjsResources, scopes?: ObjsScopes, }, team: { resources?: ObjsResources, scopes?: ObjsScopes, }, }, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.info": { + "rendered": " info: { app_home?: { resources?: ObjsResources, scopes?: ObjsScopes, }, channel?: { resources?: ObjsResources, scopes?: ObjsScopes, }, group?: { resources?: ObjsResources, scopes?: ObjsScopes, }, im?: { resources?: ObjsResources, scopes?: ObjsScopes, }, mpim?: { resources?: ObjsResources, scopes?: ObjsScopes, }, team: { resources?: ObjsResources, scopes?: ObjsScopes, }, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.info.app_home": { + "rendered": " app_home?: { resources?: ObjsResources, scopes?: ObjsScopes, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.info.app_home.resources": { + "rendered": " resources?: ObjsResources,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.info.app_home.scopes": { + "rendered": " scopes?: ObjsScopes,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.info.channel": { + "rendered": " channel?: { resources?: ObjsResources, scopes?: ObjsScopes, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.channel.resources": { + "rendered": " resources?: ObjsResources,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.channel.scopes": { + "rendered": " scopes?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.group": { + "rendered": " group?: { resources?: ObjsResources, scopes?: ObjsScopes, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.group.resources": { + "rendered": " resources?: ObjsResources,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.group.scopes": { + "rendered": " scopes?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.im": { + "rendered": " im?: { resources?: ObjsResources, scopes?: ObjsScopes, },", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.im.resources": { + "rendered": " resources?: ObjsResources,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.im.scopes": { + "rendered": " scopes?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.mpim": { + "rendered": " mpim?: { resources?: ObjsResources, scopes?: ObjsScopes, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.mpim.resources": { + "rendered": " resources?: ObjsResources,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.mpim.scopes": { + "rendered": " scopes?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.team": { + "rendered": " team: { resources?: ObjsResources, scopes?: ObjsScopes, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.team.resources": { + "rendered": " resources?: ObjsResources,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.info.team.scopes": { + "rendered": " scopes?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2034,16 +1918,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2070,23 +1950,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n resources: ({\n /** An ID for a resource */\n id?: string,\n /** The type of resource the `id` corresponds to */\n type?: string,\n\n})[],\n response_metadata?: {\n next_cursor: string,\n\n},\n [key: string]: any,\n\n}", + "rendered": "{ ok?: DefsOkTrue, resources?: ({ id?: string, type?: string, })[], response_metadata: { next_cursor?: string, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.resources": { + "rendered": " resources?: ({ id?: string, type?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resources.__no_name": { + "rendered": "{ id?: string, type?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resources.__no_name.id": { + "rendered": " id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.resources.__no_name.type": { + "rendered": " type?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2106,19 +1998,43 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n scopes: {\n app_home?: ObjsScopes,\n channel?: ObjsScopes,\n group?: ObjsScopes,\n im?: ObjsScopes,\n mpim?: ObjsScopes,\n team?: ObjsScopes,\n user?: ObjsScopes,\n [key: string]: any,\n\n},\n [key: string]: any,\n\n}", + "rendered": "{ ok?: DefsOkTrue, scopes?: { app_home?: ObjsScopes, channel?: ObjsScopes, group?: ObjsScopes, im?: ObjsScopes, mpim?: ObjsScopes, team?: ObjsScopes, user?: ObjsScopes, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.scopes": { + "rendered": " scopes?: { app_home?: ObjsScopes, channel?: ObjsScopes, group?: ObjsScopes, im?: ObjsScopes, mpim?: ObjsScopes, team?: ObjsScopes, user?: ObjsScopes, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scopes.app_home": { + "rendered": " app_home?: ObjsScopes,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scopes.channel": { + "rendered": " channel?: ObjsScopes,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scopes.group": { + "rendered": " group?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scopes.im": { + "rendered": " im?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scopes.mpim": { + "rendered": " mpim?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scopes.team": { + "rendered": " team?: ObjsScopes,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scopes.user": { + "rendered": " user?: ObjsScopes,", "requiresRelaxedTypeAnnotation": false } } @@ -2146,16 +2062,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2186,16 +2098,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2222,16 +2130,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2254,15 +2158,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n revoked: boolean,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, revoked?: boolean, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.revoked": { + "rendered": " revoked?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -2273,15 +2177,39 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n bot_id?: DefsBotId,\n is_enterprise_install?: boolean,\n ok: DefsOkTrue,\n team: string,\n team_id: DefsTeam,\n url: string,\n user: string,\n user_id: DefsUserId,\n\n}", + "rendered": "{ bot_id?: DefsBotId, is_enterprise_install?: boolean, ok?: DefsOkTrue, team?: string, team_id?: DefsTeam, url?: string, user?: string, user_id?: DefsUserId, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.bot_id": { + "rendered": " bot_id?: DefsBotId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.is_enterprise_install": { + "rendered": " is_enterprise_install?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.team": { + "rendered": " team?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.team_id": { + "rendered": " team_id?: DefsTeam,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.user": { + "rendered": " user?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.user_id": { + "rendered": " user_id?: DefsUserId,", "requiresRelaxedTypeAnnotation": false } } @@ -2305,24 +2233,56 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n bot: {\n app_id: DefsAppId,\n deleted: boolean,\n icons: {\n /** @format uri */\n \"image_36\": string,\n /** @format uri */\n \"image_48\": string,\n /** @format uri */\n \"image_72\": string,\n\n},\n id: DefsBotId,\n name: string,\n updated: number,\n user_id?: DefsUserId,\n\n},\n ok: DefsOkTrue,\n\n}", + "rendered": "{ bot: { app_id?: DefsAppId, deleted?: boolean, icons: { image_36?: string, image_48?: string, image_72?: string, }, id?: DefsBotId, name?: string, updated?: number, user_id?: DefsUserId, }, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.bot": { + "rendered": " bot: { app_id?: DefsAppId, deleted?: boolean, icons: { image_36?: string, image_48?: string, image_72?: string, }, id?: DefsBotId, name?: string, updated?: number, user_id?: DefsUserId, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.bot.app_id": { + "rendered": " app_id?: DefsAppId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.bot.deleted": { + "rendered": " deleted?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.bot.icons": { + "rendered": " icons: { image_36?: string, image_48?: string, image_72?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.bot.icons.image_36": { + "rendered": " image_36?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.icons.image_48": { + "rendered": " image_48?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.icons.image_72": { + "rendered": " image_72?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.id": { + "rendered": " id?: DefsBotId,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.updated": { + "rendered": " updated?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.bot.user_id": { + "rendered": " user_id?: DefsUserId,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2345,16 +2305,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2377,16 +2333,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2405,16 +2357,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2437,16 +2385,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2469,16 +2413,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2501,16 +2441,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2533,15 +2469,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: DefsChannel,\n ok: DefsOkTrue,\n ts: DefsTs,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: DefsChannel, ok?: DefsOkTrue, ts?: DefsTs, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: DefsChannel,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ts": { + "rendered": " ts?: DefsTs,", "requiresRelaxedTypeAnnotation": false } } @@ -2565,16 +2505,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2601,15 +2537,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: DefsChannel,\n ok: DefsOkTrue,\n /** @format uri */\n permalink: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: DefsChannel, ok?: DefsOkTrue, permalink?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: DefsChannel,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.permalink": { + "rendered": " permalink?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2633,15 +2573,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel?: DefsChannel,\n ok: DefsOkTrue,\n ts?: DefsTs,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: DefsChannel, ok?: DefsOkTrue, ts?: DefsTs, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: DefsChannel,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ts": { + "rendered": " ts?: DefsTs,", "requiresRelaxedTypeAnnotation": false } } @@ -2665,16 +2609,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n message_ts: DefsTs,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ message_ts?: DefsTs, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message_ts": { + "rendered": " message_ts?: DefsTs,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2697,15 +2641,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: DefsChannel,\n message: ObjsMessage,\n ok: DefsOkTrue,\n ts: DefsTs,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: DefsChannel, message?: ObjsMessage, ok?: DefsOkTrue, ts?: DefsTs, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: DefsChannel,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message?: ObjsMessage,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ts": { + "rendered": " ts?: DefsTs,", "requiresRelaxedTypeAnnotation": false } } @@ -2729,19 +2681,55 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: DefsChannel,\n message: {\n bot_id: DefsBotId,\n bot_profile?: ObjsBotProfile,\n team: DefsTeam,\n text: string,\n type: string,\n user: DefsUserId,\n username?: string,\n\n},\n ok: DefsOkTrue,\n /** @pattern ^\\d{10}$ */\n post_at: number,\n /**\n * Scheduled Message ID\n * @pattern ^[Q][A-Z0-9]{8,}$\n */\n scheduled_message_id: string,\n\n}", + "rendered": "{ channel?: DefsChannel, message: { bot_id?: DefsBotId, bot_profile?: ObjsBotProfile, team?: DefsTeam, text?: string, type?: string, user?: DefsUserId, username?: string, }, ok?: DefsOkTrue, post_at?: number, scheduled_message_id?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channel": { + "rendered": " channel?: DefsChannel,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message: { bot_id?: DefsBotId, bot_profile?: ObjsBotProfile, team?: DefsTeam, text?: string, type?: string, user?: DefsUserId, username?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message.bot_id": { + "rendered": " bot_id?: DefsBotId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message.bot_profile": { + "rendered": " bot_profile?: ObjsBotProfile,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message.team": { + "rendered": " team?: DefsTeam,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message.text": { + "rendered": " text?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message.type": { + "rendered": " type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message.user": { + "rendered": " user?: DefsUserId,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.message.username": { + "rendered": " username?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.post_at": { + "rendered": " post_at?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scheduled_message_id": { + "rendered": " scheduled_message_id?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2777,23 +2765,47 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n response_metadata: {\n next_cursor: string,\n\n},\n scheduled_messages: ({\n channel_id: DefsChannelId,\n /** @pattern ^\\d{10}$ */\n date_created: number,\n /** @pattern ^[Q][A-Z0-9]{8,}$ */\n id: string,\n /** @pattern ^\\d{10}$ */\n post_at: number,\n text?: string,\n\n})[],\n\n}", + "rendered": "{ ok?: DefsOkTrue, response_metadata: { next_cursor?: string, }, scheduled_messages?: ({ channel_id?: DefsChannelId, date_created?: number, id?: string, post_at?: number, text?: string, })[], }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scheduled_messages": { + "rendered": " scheduled_messages?: ({ channel_id?: DefsChannelId, date_created?: number, id?: string, post_at?: number, text?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scheduled_messages.__no_name": { + "rendered": "{ channel_id?: DefsChannelId, date_created?: number, id?: string, post_at?: number, text?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.scheduled_messages.__no_name.channel_id": { + "rendered": " channel_id?: DefsChannelId,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scheduled_messages.__no_name.date_created": { + "rendered": " date_created?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scheduled_messages.__no_name.id": { + "rendered": " id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scheduled_messages.__no_name.post_at": { + "rendered": " post_at?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.scheduled_messages.__no_name.text": { + "rendered": " text?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2817,16 +2829,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2849,23 +2857,43 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: string,\n /** Message object */\n message: {\n attachments?: (hasuraSdk.JSONValue)[],\n blocks?: hasuraSdk.JSONValue,\n text: string,\n\n},\n ok: DefsOkTrue,\n text: string,\n ts: string,\n\n}", + "rendered": "{ channel?: string, message: { attachments?: (hasuraSdk.JSONValue)[], blocks?: hasuraSdk.JSONValue, text?: string, }, ok?: DefsOkTrue, text?: string, ts?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channel": { + "rendered": " channel?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.message": { + "rendered": " message: { attachments?: (hasuraSdk.JSONValue)[], blocks?: hasuraSdk.JSONValue, text?: string, },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.message.attachments": { + "rendered": " attachments?: (hasuraSdk.JSONValue)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.message.attachments.__no_name": { + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.message.blocks": { + "rendered": " blocks?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.message.text": { + "rendered": " text?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.text": { + "rendered": " text?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ts": { + "rendered": " ts?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2889,16 +2917,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2921,16 +2945,20 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n already_closed?: boolean,\n no_op?: boolean,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ already_closed?: boolean, no_op?: boolean, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.already_closed": { + "rendered": " already_closed?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.no_op": { + "rendered": " no_op?: boolean,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2953,16 +2981,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3005,19 +3033,39 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel_actions_count: number,\n channel_actions_ts: ((number))[],\n has_more: boolean,\n /**\n * @minItems 1\n * @uniqueItems true\n */\n messages: (ObjsMessage)[],\n ok: DefsOkTrue,\n pin_count: number,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel_actions_count?: number, channel_actions_ts?: (number | )[], has_more?: boolean, messages?: (ObjsMessage)[], ok?: DefsOkTrue, pin_count?: number, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel_actions_count": { + "rendered": " channel_actions_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel_actions_ts": { + "rendered": " channel_actions_ts?: (number | )[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channel_actions_ts.__no_name": { + "rendered": "number | ", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.messages": { + "rendered": " messages?: (ObjsMessage)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.messages.__no_name": { + "rendered": "ObjsMessage", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.pin_count": { + "rendered": " pin_count?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3049,16 +3097,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3081,16 +3129,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3113,23 +3161,31 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n /** Response metadata */\n response_metadata?: {\n /**\n * @minItems 1\n * @uniqueItems true\n */\n warnings?: (string)[],\n\n},\n warning?: string,\n\n}", + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, response_metadata?: { warnings?: (string)[], }, warning?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata?: { warnings?: (string)[], },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.warnings": { + "rendered": " warnings?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.warnings.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.warning": { + "rendered": " warning?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3153,16 +3209,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3185,16 +3237,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n not_in_channel?: true,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ not_in_channel?: true, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.not_in_channel": { + "rendered": " not_in_channel?: true,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3229,19 +3281,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** @uniqueItems true */\n channels: (ObjsConversation)[],\n ok: DefsOkTrue,\n response_metadata?: {\n next_cursor: string,\n\n},\n\n}", + "rendered": "{ channels?: (ObjsConversation)[], ok?: DefsOkTrue, response_metadata: { next_cursor?: string, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channels": { + "rendered": " channels?: (ObjsConversation)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channels.__no_name": { + "rendered": "ObjsConversation", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3265,16 +3325,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3305,19 +3361,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * @minItems 1\n * @uniqueItems true\n */\n members: (DefsUserId)[],\n ok: DefsOkTrue,\n response_metadata: {\n next_cursor: string,\n\n},\n\n}", + "rendered": "{ members?: (DefsUserId)[], ok?: DefsOkTrue, response_metadata: { next_cursor?: string, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.members": { + "rendered": " members?: (DefsUserId)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.members.__no_name": { + "rendered": "DefsUserId", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3341,20 +3405,28 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n already_open?: boolean,\n channel: ((ObjsConversation | {\n created?: string,\n id: DefsDmId,\n is_im?: boolean,\n is_open?: boolean,\n last_read?: DefsTs,\n latest?: ObjsMessage,\n unread_count?: number,\n unread_count_display?: number,\n user?: DefsUserId,\n\n}))[],\n no_op?: boolean,\n ok: DefsOkTrue,\n\n}", + "rendered": "{ already_open?: boolean, channel?: (ObjsConversation | { created?: string, id?: DefsDmId, is_im?: boolean, is_open?: boolean, last_read?: DefsTs, latest?: ObjsMessage, unread_count?: number, unread_count_display?: number, user?: DefsUserId, })[], no_op?: boolean, ok?: DefsOkTrue, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.already_open": { + "rendered": " already_open?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.channel": { + "rendered": " channel?: (ObjsConversation | { created?: string, id?: DefsDmId, is_im?: boolean, is_open?: boolean, last_read?: DefsTs, latest?: ObjsMessage, unread_count?: number, unread_count_display?: number, user?: DefsUserId, })[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel.__no_name": { + "rendered": "ObjsConversation | { created?: string, id?: DefsDmId, is_im?: boolean, is_open?: boolean, last_read?: DefsTs, latest?: ObjsMessage, unread_count?: number, unread_count_display?: number, user?: DefsUserId, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.no_op": { + "rendered": " no_op?: boolean,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3377,16 +3449,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3433,24 +3505,28 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n has_more?: boolean,\n messages: ((({\n last_read?: DefsTs,\n latest_reply?: DefsTs,\n reply_count: number,\n /** @uniqueItems true */\n reply_users?: (DefsUserId)[],\n reply_users_count?: number,\n source_team?: DefsTeam,\n subscribed: boolean,\n team?: DefsTeam,\n text: string,\n thread_ts: DefsTs,\n ts: DefsTs,\n type: string,\n unread_count?: number,\n user: DefsUserId,\n user_profile?: ObjsUserProfileShort,\n user_team?: DefsTeam,\n\n} | {\n is_starred?: boolean,\n parent_user_id: DefsUserId,\n source_team?: DefsTeam,\n team?: DefsTeam,\n text: string,\n thread_ts: DefsTs,\n ts: DefsTs,\n type: string,\n user: DefsUserId,\n user_profile?: ObjsUserProfileShort,\n user_team?: DefsTeam,\n\n}))[])[],\n ok: DefsOkTrue,\n\n}", + "rendered": "{ has_more?: boolean, messages?: (({ last_read?: DefsTs, latest_reply?: DefsTs, reply_count?: number, reply_users?: (DefsUserId)[], reply_users_count?: number, source_team?: DefsTeam, subscribed?: boolean, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, unread_count?: number, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, } | { is_starred?: boolean, parent_user_id?: DefsUserId, source_team?: DefsTeam, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, })[])[], ok?: DefsOkTrue, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.messages": { + "rendered": " messages?: (({ last_read?: DefsTs, latest_reply?: DefsTs, reply_count?: number, reply_users?: (DefsUserId)[], reply_users_count?: number, source_team?: DefsTeam, subscribed?: boolean, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, unread_count?: number, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, } | { is_starred?: boolean, parent_user_id?: DefsUserId, source_team?: DefsTeam, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, })[])[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.messages.__no_name": { + "rendered": "({ last_read?: DefsTs, latest_reply?: DefsTs, reply_count?: number, reply_users?: (DefsUserId)[], reply_users_count?: number, source_team?: DefsTeam, subscribed?: boolean, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, unread_count?: number, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, } | { is_starred?: boolean, parent_user_id?: DefsUserId, source_team?: DefsTeam, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, })[]", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.messages.__no_name.__no_name": { + "rendered": "{ last_read?: DefsTs, latest_reply?: DefsTs, reply_count?: number, reply_users?: (DefsUserId)[], reply_users_count?: number, source_team?: DefsTeam, subscribed?: boolean, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, unread_count?: number, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, } | { is_starred?: boolean, parent_user_id?: DefsUserId, source_team?: DefsTeam, team?: DefsTeam, text?: string, thread_ts?: DefsTs, ts?: DefsTs, type?: string, user?: DefsUserId, user_profile?: ObjsUserProfileShort, user_team?: DefsTeam, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3473,16 +3549,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3505,16 +3581,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n channel: ObjsConversation,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ channel?: ObjsConversation, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channel": { + "rendered": " channel?: ObjsConversation,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3537,16 +3613,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3569,16 +3641,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3588,16 +3656,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3607,15 +3671,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n dnd_enabled: boolean,\n next_dnd_end_ts: number,\n next_dnd_start_ts: number,\n ok: DefsOkTrue,\n snooze_enabled: boolean,\n\n}", + "rendered": "{ dnd_enabled?: boolean, next_dnd_end_ts?: number, next_dnd_start_ts?: number, ok?: DefsOkTrue, snooze_enabled?: boolean, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.dnd_enabled": { + "rendered": " dnd_enabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_dnd_end_ts": { + "rendered": " next_dnd_end_ts?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_dnd_start_ts": { + "rendered": " next_dnd_start_ts?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.snooze_enabled": { + "rendered": " snooze_enabled?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -3639,15 +3715,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n dnd_enabled: boolean,\n next_dnd_end_ts: number,\n next_dnd_start_ts: number,\n ok: DefsOkTrue,\n snooze_enabled?: boolean,\n snooze_endtime?: number,\n snooze_remaining?: number,\n\n}", + "rendered": "{ dnd_enabled?: boolean, next_dnd_end_ts?: number, next_dnd_start_ts?: number, ok?: DefsOkTrue, snooze_enabled?: boolean, snooze_endtime?: number, snooze_remaining?: number, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.dnd_enabled": { + "rendered": " dnd_enabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_dnd_end_ts": { + "rendered": " next_dnd_end_ts?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_dnd_start_ts": { + "rendered": " next_dnd_start_ts?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.snooze_enabled": { + "rendered": " snooze_enabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.snooze_endtime": { + "rendered": " snooze_endtime?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.snooze_remaining": { + "rendered": " snooze_remaining?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3671,15 +3767,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n snooze_enabled: boolean,\n snooze_endtime: number,\n snooze_remaining: number,\n\n}", + "rendered": "{ ok?: DefsOkTrue, snooze_enabled?: boolean, snooze_endtime?: number, snooze_remaining?: number, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.snooze_enabled": { + "rendered": " snooze_enabled?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.snooze_endtime": { + "rendered": " snooze_endtime?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.snooze_remaining": { + "rendered": " snooze_remaining?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -3703,16 +3807,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3731,16 +3831,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3763,16 +3859,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3795,16 +3887,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3843,15 +3931,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n comments: ObjsComments,\n content_html?: any,\n editor?: DefsUserId,\n file: ObjsFile,\n ok: DefsOkTrue,\n paging?: ObjsPaging,\n response_metadata?: ObjsResponseMetadata,\n\n}", + "rendered": "{ comments?: ObjsComments, editor?: DefsUserId, file?: ObjsFile, ok?: DefsOkTrue, paging?: ObjsPaging, response_metadata?: ObjsResponseMetadata, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.comments": { + "rendered": " comments?: ObjsComments,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.content_html": { + "rendered": "", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.editor": { + "rendered": " editor?: DefsUserId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.file": { + "rendered": " file?: ObjsFile,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata?: ObjsResponseMetadata,", "requiresRelaxedTypeAnnotation": false } } @@ -3903,19 +4011,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * @minItems 0\n * @uniqueItems true\n */\n files: (ObjsFile)[],\n ok: DefsOkTrue,\n paging: ObjsPaging,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ files?: (ObjsFile)[], ok?: DefsOkTrue, paging?: ObjsPaging, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.files": { + "rendered": " files?: (ObjsFile)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.files.__no_name": { + "rendered": "ObjsFile", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", "requiresRelaxedTypeAnnotation": false } } @@ -3939,16 +4051,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3972,19 +4080,15 @@ } }, "body": {}, - "path": {}, - "response": { - ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "path": {}, + "response": { + ".__no_name": { + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4023,16 +4127,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4055,16 +4155,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4095,16 +4191,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4127,16 +4219,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4159,16 +4247,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n file: ObjsFile,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ file?: ObjsFile, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.file": { + "rendered": " file?: ObjsFile,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4191,16 +4279,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n file: ObjsFile,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ file?: ObjsFile, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.file": { + "rendered": " file?: ObjsFile,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4223,16 +4311,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n file: ObjsFile,\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ file?: ObjsFile, ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.file": { + "rendered": " file?: ObjsFile,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4263,20 +4351,32 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** The enterprise grid organization ID containing the workspace/team. */\n enterprise_id: string,\n /** A list of User IDs that cannot be mapped or found */\n invalid_user_ids?: (string)[],\n ok: DefsOkTrue,\n team_id: DefsTeam,\n /** A mapping of provided user IDs with mapped user IDs */\n user_id_map?: hasuraSdk.JSONValue,\n [key: string]: any,\n\n}", + "rendered": "{ enterprise_id?: string, invalid_user_ids?: (string)[], ok?: DefsOkTrue, team_id?: DefsTeam, user_id_map?: hasuraSdk.JSONValue, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.enterprise_id": { + "rendered": " enterprise_id?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.invalid_user_ids": { + "rendered": " invalid_user_ids?: (string)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.invalid_user_ids.__no_name": { + "rendered": "string", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.team_id": { + "rendered": " team_id?: DefsTeam,", "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.user_id_map": { + "rendered": " user_id_map?: hasuraSdk.JSONValue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4311,16 +4411,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4355,16 +4451,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4395,16 +4487,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4427,16 +4515,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4459,11 +4543,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "(({\n /** @uniqueItems true */\n items: (({\n created?: number,\n created_by?: DefsUserId,\n file?: ObjsFile,\n type?: \"file\",\n\n} | {\n channel?: DefsChannel,\n created?: number,\n created_by?: DefsUserId,\n message?: ObjsMessage,\n type?: \"message\",\n\n}))[],\n ok: DefsOkTrue,\n\n} | {\n count: number,\n ok: DefsOkTrue,\n\n}))[]", - "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -4487,16 +4567,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4519,16 +4595,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4567,12 +4639,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "DefsPinnedInfo", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "hasuraSdk.JSONValue", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4615,23 +4683,31 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n items: ((({\n channel: DefsChannel,\n message: ObjsMessage,\n type: \"message\",\n\n} | {\n file: ObjsFile,\n type: \"file\",\n\n} | {\n comment: ObjsComment,\n file: ObjsFile,\n type: \"file_comment\",\n\n}))[])[],\n ok: DefsOkTrue,\n paging?: ObjsPaging,\n response_metadata?: ObjsResponseMetadata,\n\n}", + "rendered": "{ items?: (({ channel?: DefsChannel, message?: ObjsMessage, type?: \"message\", } | { file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, file?: ObjsFile, type?: \"file_comment\", })[])[], ok?: DefsOkTrue, paging?: ObjsPaging, response_metadata?: ObjsResponseMetadata, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items": { + "rendered": " items?: (({ channel?: DefsChannel, message?: ObjsMessage, type?: \"message\", } | { file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, file?: ObjsFile, type?: \"file_comment\", })[])[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items.__no_name": { + "rendered": "({ channel?: DefsChannel, message?: ObjsMessage, type?: \"message\", } | { file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, file?: ObjsFile, type?: \"file_comment\", })[]", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.items.__no_name.__no_name": { + "rendered": "{ channel?: DefsChannel, message?: ObjsMessage, type?: \"message\", } | { file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, file?: ObjsFile, type?: \"file_comment\", }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata": { + "rendered": " response_metadata?: ObjsResponseMetadata,", "requiresRelaxedTypeAnnotation": false } } @@ -4655,16 +4731,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4687,15 +4759,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n reminder: ObjsReminder,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, reminder?: ObjsReminder, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.reminder": { + "rendered": " reminder?: ObjsReminder,", "requiresRelaxedTypeAnnotation": false } } @@ -4719,16 +4791,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4751,16 +4819,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4783,15 +4847,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n reminder: ObjsReminder,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, reminder?: ObjsReminder, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.reminder": { + "rendered": " reminder?: ObjsReminder,", "requiresRelaxedTypeAnnotation": false } } @@ -4811,19 +4875,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n reminders: (ObjsReminder)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, reminders?: (ObjsReminder)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.reminders": { + "rendered": " reminders?: (ObjsReminder)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.reminders.__no_name": { + "rendered": "ObjsReminder", "requiresRelaxedTypeAnnotation": false } } @@ -4851,19 +4915,43 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n self: {\n id: DefsUserId,\n name: string,\n\n},\n team: {\n domain: string,\n id: DefsTeam,\n name: string,\n\n},\n /** @format uri */\n url: string,\n\n}", + "rendered": "{ ok?: DefsOkTrue, self: { id?: DefsUserId, name?: string, }, team: { domain?: string, id?: DefsTeam, name?: string, }, url?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.self": { + "rendered": " self: { id?: DefsUserId, name?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.self.id": { + "rendered": " id?: DefsUserId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.self.name": { + "rendered": " name?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.team": { + "rendered": " team: { domain?: string, id?: DefsTeam, name?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.team.domain": { + "rendered": " domain?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.team.id": { + "rendered": " id?: DefsTeam,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.team.name": { + "rendered": " name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4907,16 +4995,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4939,16 +5023,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4983,23 +5063,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n items: ((({\n channel: DefsChannel,\n date_create: number,\n message: ObjsMessage,\n type: \"message\",\n\n} | {\n date_create: number,\n file: ObjsFile,\n type: \"file\",\n\n} | {\n comment: ObjsComment,\n date_create: number,\n file: ObjsFile,\n type: \"file_comment\",\n\n} | {\n channel: DefsChannel,\n date_create: number,\n type: \"channel\",\n\n} | {\n channel: DefsDmId,\n date_create: number,\n type: \"im\",\n\n} | {\n channel: DefsGroupId,\n date_create: number,\n type: \"group\",\n\n}))[])[],\n ok: DefsOkTrue,\n paging?: ObjsPaging,\n\n}", + "rendered": "{ items?: (({ channel?: DefsChannel, date_create?: number, message?: ObjsMessage, type?: \"message\", } | { date_create?: number, file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, date_create?: number, file?: ObjsFile, type?: \"file_comment\", } | { channel?: DefsChannel, date_create?: number, type?: \"channel\", } | { channel?: DefsDmId, date_create?: number, type?: \"im\", } | { channel?: DefsGroupId, date_create?: number, type?: \"group\", })[])[], ok?: DefsOkTrue, paging?: ObjsPaging, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items": { + "rendered": " items?: (({ channel?: DefsChannel, date_create?: number, message?: ObjsMessage, type?: \"message\", } | { date_create?: number, file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, date_create?: number, file?: ObjsFile, type?: \"file_comment\", } | { channel?: DefsChannel, date_create?: number, type?: \"channel\", } | { channel?: DefsDmId, date_create?: number, type?: \"im\", } | { channel?: DefsGroupId, date_create?: number, type?: \"group\", })[])[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items.__no_name": { + "rendered": "({ channel?: DefsChannel, date_create?: number, message?: ObjsMessage, type?: \"message\", } | { date_create?: number, file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, date_create?: number, file?: ObjsFile, type?: \"file_comment\", } | { channel?: DefsChannel, date_create?: number, type?: \"channel\", } | { channel?: DefsDmId, date_create?: number, type?: \"im\", } | { channel?: DefsGroupId, date_create?: number, type?: \"group\", })[]", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.items.__no_name.__no_name": { + "rendered": "{ channel?: DefsChannel, date_create?: number, message?: ObjsMessage, type?: \"message\", } | { date_create?: number, file?: ObjsFile, type?: \"file\", } | { comment?: ObjsComment, date_create?: number, file?: ObjsFile, type?: \"file_comment\", } | { channel?: DefsChannel, date_create?: number, type?: \"channel\", } | { channel?: DefsDmId, date_create?: number, type?: \"im\", } | { channel?: DefsGroupId, date_create?: number, type?: \"group\", }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", "requiresRelaxedTypeAnnotation": false } } @@ -5023,16 +5107,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5063,23 +5143,63 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * @minItems 1\n * @uniqueItems true\n */\n logins: ({\n count: number,\n country: string | null,\n date_first: number,\n date_last: number,\n ip: string | null,\n isp: string | null,\n region: string | null,\n user_agent: string,\n user_id: DefsUserId,\n username: string,\n\n})[],\n ok: DefsOkTrue,\n paging: ObjsPaging,\n\n}", + "rendered": "{ logins?: ({ count?: number, country?: string, date_first?: number, date_last?: number, ip?: string, isp?: string, region?: string, user_agent?: string, user_id?: DefsUserId, username?: string, })[], ok?: DefsOkTrue, paging?: ObjsPaging, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logins": { + "rendered": " logins?: ({ count?: number, country?: string, date_first?: number, date_last?: number, ip?: string, isp?: string, region?: string, user_agent?: string, user_id?: DefsUserId, username?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logins.__no_name": { + "rendered": "{ count?: number, country?: string, date_first?: number, date_last?: number, ip?: string, isp?: string, region?: string, user_agent?: string, user_id?: DefsUserId, username?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.count": { + "rendered": " count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.country": { + "rendered": " country?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.date_first": { + "rendered": " date_first?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.date_last": { + "rendered": " date_last?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.ip": { + "rendered": " ip?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.isp": { + "rendered": " isp?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.region": { + "rendered": " region?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.user_agent": { + "rendered": " user_agent?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logins.__no_name.user_id": { + "rendered": " user_id?: DefsUserId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logins.__no_name.username": { + "rendered": " username?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", "requiresRelaxedTypeAnnotation": false } } @@ -5103,16 +5223,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5135,16 +5251,16 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n team: ObjsTeam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, team?: ObjsTeam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.team": { + "rendered": " team?: ObjsTeam,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5187,23 +5303,67 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /**\n * @minItems 1\n * @uniqueItems true\n */\n logs: ({\n admin_app_id?: DefsAppId,\n app_id: DefsAppId,\n app_type: string,\n change_type: string,\n channel?: DefsChannel,\n date: string,\n scope: string,\n service_id?: string,\n service_type?: string,\n user_id: DefsUserId,\n user_name: string,\n\n})[],\n ok: DefsOkTrue,\n paging: ObjsPaging,\n\n}", + "rendered": "{ logs?: ({ admin_app_id?: DefsAppId, app_id?: DefsAppId, app_type?: string, change_type?: string, channel?: DefsChannel, date?: string, scope?: string, service_id?: string, service_type?: string, user_id?: DefsUserId, user_name?: string, })[], ok?: DefsOkTrue, paging?: ObjsPaging, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.logs": { + "rendered": " logs?: ({ admin_app_id?: DefsAppId, app_id?: DefsAppId, app_type?: string, change_type?: string, channel?: DefsChannel, date?: string, scope?: string, service_id?: string, service_type?: string, user_id?: DefsUserId, user_name?: string, })[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logs.__no_name": { + "rendered": "{ admin_app_id?: DefsAppId, app_id?: DefsAppId, app_type?: string, change_type?: string, channel?: DefsChannel, date?: string, scope?: string, service_id?: string, service_type?: string, user_id?: DefsUserId, user_name?: string, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logs.__no_name.admin_app_id": { + "rendered": " admin_app_id?: DefsAppId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logs.__no_name.app_id": { + "rendered": " app_id?: DefsAppId,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.logs.__no_name.app_type": { + "rendered": " app_type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.change_type": { + "rendered": " change_type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.channel": { + "rendered": " channel?: DefsChannel,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.date": { + "rendered": " date?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.scope": { + "rendered": " scope?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.service_id": { + "rendered": " service_id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.service_type": { + "rendered": " service_type?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.user_id": { + "rendered": " user_id?: DefsUserId,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.logs.__no_name.user_name": { + "rendered": " user_name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.paging": { + "rendered": " paging?: ObjsPaging,", "requiresRelaxedTypeAnnotation": false } } @@ -5227,24 +5387,24 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n profile: {\n /** @uniqueItems true */\n fields: (ObjsTeamProfileField)[],\n\n},\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, profile: { fields?: (ObjsTeamProfileField)[], }, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.profile": { + "rendered": " profile: { fields?: (ObjsTeamProfileField)[], },", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.profile.fields": { + "rendered": " fields?: (ObjsTeamProfileField)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.profile.fields.__no_name": { + "rendered": "ObjsTeamProfileField", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5267,15 +5427,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroup: ObjsSubteam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroup?: ObjsSubteam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroup": { + "rendered": " usergroup?: ObjsSubteam,", "requiresRelaxedTypeAnnotation": false } } @@ -5299,15 +5459,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroup: ObjsSubteam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroup?: ObjsSubteam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroup": { + "rendered": " usergroup?: ObjsSubteam,", "requiresRelaxedTypeAnnotation": false } } @@ -5331,15 +5491,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroup: ObjsSubteam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroup?: ObjsSubteam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroup": { + "rendered": " usergroup?: ObjsSubteam,", "requiresRelaxedTypeAnnotation": false } } @@ -5371,19 +5531,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroups: (ObjsSubteam)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroups?: (ObjsSubteam)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroups": { + "rendered": " usergroups?: (ObjsSubteam)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroups.__no_name": { + "rendered": "ObjsSubteam", "requiresRelaxedTypeAnnotation": false } } @@ -5407,15 +5567,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroup: ObjsSubteam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroup?: ObjsSubteam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroup": { + "rendered": " usergroup?: ObjsSubteam,", "requiresRelaxedTypeAnnotation": false } } @@ -5443,19 +5603,19 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n users: (DefsUserId)[],\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, users?: (DefsUserId)[], }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.users": { + "rendered": " users?: (DefsUserId)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.users.__no_name": { + "rendered": "DefsUserId", "requiresRelaxedTypeAnnotation": false } } @@ -5479,15 +5639,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n usergroup: ObjsSubteam,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, usergroup?: ObjsSubteam, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.usergroup": { + "rendered": " usergroup?: ObjsSubteam,", "requiresRelaxedTypeAnnotation": false } } @@ -5527,19 +5687,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** @uniqueItems true */\n channels: (ObjsConversation)[],\n ok: DefsOkTrue,\n response_metadata?: {\n next_cursor: string,\n\n},\n [key: string]: any,\n\n}", + "rendered": "{ channels?: (ObjsConversation)[], ok?: DefsOkTrue, response_metadata: { next_cursor?: string, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.channels": { + "rendered": " channels?: (ObjsConversation)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.channels.__no_name": { + "rendered": "ObjsConversation", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata: { next_cursor?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.response_metadata.next_cursor": { + "rendered": " next_cursor?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5563,16 +5731,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5595,15 +5759,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n auto_away?: boolean,\n connection_count?: number,\n last_activity?: number,\n manual_away?: boolean,\n ok: DefsOkTrue,\n online?: boolean,\n presence: string,\n [key: string]: any,\n\n}", + "rendered": "{ auto_away?: boolean, connection_count?: number, last_activity?: number, manual_away?: boolean, ok?: DefsOkTrue, online?: boolean, presence?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.auto_away": { + "rendered": " auto_away?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.connection_count": { + "rendered": " connection_count?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.last_activity": { + "rendered": " last_activity?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.manual_away": { + "rendered": " manual_away?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.online": { + "rendered": " online?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.presence": { + "rendered": " presence?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5623,11 +5807,7 @@ "path": {}, "response": { ".__no_name": { - "rendered": "(({\n ok: DefsOkTrue,\n team: {\n id: DefsTeam,\n\n},\n user: {\n id: DefsUserId,\n name: string,\n\n},\n\n} | {\n ok: DefsOkTrue,\n team: {\n id: DefsTeam,\n\n},\n user: {\n /** @format email */\n email: string,\n id: DefsUserId,\n name: string,\n\n},\n\n} | {\n ok: DefsOkTrue,\n team: {\n id: DefsTeam,\n\n},\n user: {\n id: DefsUserId,\n /** @format url */\n \"image_192\": string,\n /** @format url */\n \"image_24\": string,\n /** @format url */\n \"image_32\": string,\n /** @format url */\n \"image_48\": string,\n /** @format url */\n \"image_512\": string,\n /** @format url */\n \"image_72\": string,\n name: string,\n\n},\n\n} | {\n ok: DefsOkTrue,\n team: {\n domain: string,\n id: DefsTeam,\n /** @format url */\n \"image_102\": string,\n /** @format url */\n \"image_132\": string,\n /** @format url */\n \"image_230\": string,\n /** @format url */\n \"image_34\": string,\n /** @format url */\n \"image_44\": string,\n /** @format url */\n \"image_68\": string,\n /** @format url */\n \"image_88\": string,\n image_default: boolean,\n name: string,\n\n},\n user: {\n id: DefsUserId,\n name: string,\n\n},\n\n}))[]", - "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "", "requiresRelaxedTypeAnnotation": false } } @@ -5655,15 +5835,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n user: ObjsUser,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, user?: ObjsUser, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.user": { + "rendered": " user?: ObjsUser,", "requiresRelaxedTypeAnnotation": false } } @@ -5695,19 +5875,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n cache_ts: number,\n /**\n * @minItems 1\n * @uniqueItems true\n */\n members: (ObjsUser)[],\n ok: DefsOkTrue,\n response_metadata?: ObjsResponseMetadata,\n\n}", + "rendered": "{ cache_ts?: number, members?: (ObjsUser)[], ok?: DefsOkTrue, response_metadata?: ObjsResponseMetadata, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.cache_ts": { + "rendered": " cache_ts?: number,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.members": { + "rendered": " members?: (ObjsUser)[],", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.members.__no_name": { + "rendered": "ObjsUser", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.response_metadata": { + "rendered": " response_metadata?: ObjsResponseMetadata,", "requiresRelaxedTypeAnnotation": false } } @@ -5731,15 +5919,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n user: ObjsUser,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, user?: ObjsUser, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.user": { + "rendered": " user?: ObjsUser,", "requiresRelaxedTypeAnnotation": false } } @@ -5767,15 +5955,15 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n profile: ObjsUserProfile,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, profile?: ObjsUserProfile, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.profile": { + "rendered": " profile?: ObjsUserProfile,", "requiresRelaxedTypeAnnotation": false } } @@ -5799,15 +5987,23 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** @format email */\n email_pending?: string,\n ok: DefsOkTrue,\n profile: ObjsUserProfile,\n username: string,\n\n}", + "rendered": "{ email_pending?: string, ok?: DefsOkTrue, profile?: ObjsUserProfile, username?: string, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.email_pending": { + "rendered": " email_pending?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.profile": { + "rendered": " profile?: ObjsUserProfile,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.username": { + "rendered": " username?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5818,16 +6014,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5850,19 +6042,51 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n profile: {\n /** @pattern ^[0-9a-f]{12}$ */\n avatar_hash: string,\n /** @format uri */\n \"image_1024\": string,\n /** @format uri */\n \"image_192\": string,\n /** @format uri */\n \"image_24\": string,\n /** @format uri */\n \"image_32\": string,\n /** @format uri */\n \"image_48\": string,\n /** @format uri */\n \"image_512\": string,\n /** @format uri */\n \"image_72\": string,\n /** @format uri */\n image_original: string,\n\n},\n\n}", + "rendered": "{ ok?: DefsOkTrue, profile: { avatar_hash?: string, image_1024?: string, image_192?: string, image_24?: string, image_32?: string, image_48?: string, image_512?: string, image_72?: string, image_original?: string, }, }", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.profile": { + "rendered": " profile: { avatar_hash?: string, image_1024?: string, image_192?: string, image_24?: string, image_32?: string, image_48?: string, image_512?: string, image_72?: string, image_original?: string, },", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.profile.avatar_hash": { + "rendered": " avatar_hash?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.profile.image_1024": { + "rendered": " image_1024?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.profile.image_192": { + "rendered": " image_192?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_24": { + "rendered": " image_24?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_32": { + "rendered": " image_32?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_48": { + "rendered": " image_48?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_512": { + "rendered": " image_512?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_72": { + "rendered": " image_72?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.profile.image_original": { + "rendered": " image_original?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5886,16 +6110,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5918,16 +6138,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5954,16 +6170,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5986,16 +6198,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6026,16 +6234,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6058,16 +6262,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6090,16 +6290,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6134,16 +6330,12 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n ok: DefsOkTrue,\n [key: string]: any,\n\n}", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ ok?: DefsOkTrue, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.ok": { + "rendered": " ok?: DefsOkTrue,", + "requiresRelaxedTypeAnnotation": true } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/snyk.json b/src/app/generator/test-data/param-generator/golden-files/snyk.json index 85e5435..0946030 100644 --- a/src/app/generator/test-data/param-generator/golden-files/snyk.json +++ b/src/app/generator/test-data/param-generator/golden-files/snyk.json @@ -182,11 +182,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess?: {\n /** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled: boolean,\n\n},\n /** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number,\n\n}", + "rendered": "{ \n/** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess: { \n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean, }, \n/** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.requestAccess": { + "rendered": "\n/** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess: { \n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.requestAccess.enabled": { + "rendered": "\n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.sessionLength": { + "rendered": "\n/** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -202,11 +210,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess?: {\n /** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled: boolean,\n\n},\n /** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number,\n\n}", + "rendered": "{ \n/** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess: { \n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean, }, \n/** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.requestAccess": { + "rendered": "\n/** Can only be updated if `API_KEY` has edit access to request access settings. */\n requestAccess: { \n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.requestAccess.enabled": { + "rendered": "\n/** Choose whether a user may request access to Snyk orgs in this group that they are not a member of. */\n enabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.sessionLength": { + "rendered": "\n/** The new session length for the group in minutes. This must be an integer between 1 and 43200 (30 days). Setting this value to null will result in this group inheriting from the global default of 30 days. */\n sessionLength?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -805,11 +821,87 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Defines if the functionality is enabled */\n autoDepUpgradeEnabled?: boolean,\n /** A list of strings defining what dependencies should be ignored */\n autoDepUpgradeIgnoredDependencies?: (any)[],\n /** A limit on how many automatic dependency upgrade PRs can be opened simultaneously */\n autoDepUpgradeLimit?: number,\n /** The age (in days) that an automatic dependency check is valid for */\n autoDepUpgradeMinAge?: number,\n /** Defines automatic remediation policies */\n autoRemediationPrs?: {\n /** If true, allows automatic remediation of prioritized backlog issues */\n backlogPrsEnabled?: boolean,\n /** If true, allows automatic remediation of newly identified issues, or older issues where a fix has been identified */\n freshPrsEnabled?: boolean,\n /** If true, allows using patched remediation */\n usePatchRemediation?: boolean,\n\n},\n /** If true, will automatically detect and scan Dockerfiles in your Git repositories, surface base image vulnerabilities and recommend possible fixes */\n dockerfileSCMEnabled?: boolean,\n /** Defines manual remediation policies */\n manualRemediationPrs?: {\n /** If true, allows using patched remediation */\n usePatchRemediation?: boolean,\n\n},\n /** assign Snyk pull requests */\n pullRequestAssignment?: {\n /** an array of usernames that have contributed to the organization's project(s). */\n assignees?: (any)[],\n /** if the organization's project(s) will assign Snyk pull requests. */\n enabled?: boolean,\n /** a string representing the type of assignment your projects require. */\n type?: \"auto\" | \"manual\",\n\n},\n /** If an opened PR should fail to be validated if any vulnerable dependencies have been detected */\n pullRequestFailOnAnyVulns?: boolean,\n /** If an opened PR only should fail its validation if any dependencies are marked as being of high severity */\n pullRequestFailOnlyForHighSeverity?: boolean,\n /** If opened PRs should be tested */\n pullRequestTestEnabled?: boolean,\n\n}", + "rendered": "{ \n/** Defines if the functionality is enabled */\n autoDepUpgradeEnabled?: boolean, \n/** A list of strings defining what dependencies should be ignored */\n autoDepUpgradeIgnoredDependencies?: ()[], \n/** A limit on how many automatic dependency upgrade PRs can be opened simultaneously */\n autoDepUpgradeLimit?: number, \n/** The age (in days) that an automatic dependency check is valid for */\n autoDepUpgradeMinAge?: number, \n/** Defines automatic remediation policies */\n autoRemediationPrs?: { \n/** If true, allows automatic remediation of prioritized backlog issues */\n backlogPrsEnabled?: boolean, \n/** If true, allows automatic remediation of newly identified issues, or older issues where a fix has been identified */\n freshPrsEnabled?: boolean, \n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean, }, \n/** If true, will automatically detect and scan Dockerfiles in your Git repositories, surface base image vulnerabilities and recommend possible fixes */\n dockerfileSCMEnabled?: boolean, \n/** Defines manual remediation policies */\n manualRemediationPrs?: { \n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean, }, \n/** assign Snyk pull requests */\n pullRequestAssignment?: { \n/** an array of usernames that have contributed to the organization's project(s). */\n assignees?: ()[], \n/** if the organization's project(s) will assign Snyk pull requests. */\n enabled?: boolean, \n/** a string representing the type of assignment your projects require. */\n type?: \"auto\" | \"manual\", }, \n/** If an opened PR should fail to be validated if any vulnerable dependencies have been detected */\n pullRequestFailOnAnyVulns?: boolean, \n/** If an opened PR only should fail its validation if any dependencies are marked as being of high severity */\n pullRequestFailOnlyForHighSeverity?: boolean, \n/** If opened PRs should be tested */\n pullRequestTestEnabled?: boolean, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.autoDepUpgradeEnabled": { + "rendered": "\n/** Defines if the functionality is enabled */\n autoDepUpgradeEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoDepUpgradeIgnoredDependencies": { + "rendered": "\n/** A list of strings defining what dependencies should be ignored */\n autoDepUpgradeIgnoredDependencies?: ()[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoDepUpgradeIgnoredDependencies.__no_name": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoDepUpgradeLimit": { + "rendered": "\n/** A limit on how many automatic dependency upgrade PRs can be opened simultaneously */\n autoDepUpgradeLimit?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoDepUpgradeMinAge": { + "rendered": "\n/** The age (in days) that an automatic dependency check is valid for */\n autoDepUpgradeMinAge?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoRemediationPrs": { + "rendered": "\n/** Defines automatic remediation policies */\n autoRemediationPrs?: { \n/** If true, allows automatic remediation of prioritized backlog issues */\n backlogPrsEnabled?: boolean, \n/** If true, allows automatic remediation of newly identified issues, or older issues where a fix has been identified */\n freshPrsEnabled?: boolean, \n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoRemediationPrs.backlogPrsEnabled": { + "rendered": "\n/** If true, allows automatic remediation of prioritized backlog issues */\n backlogPrsEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoRemediationPrs.freshPrsEnabled": { + "rendered": "\n/** If true, allows automatic remediation of newly identified issues, or older issues where a fix has been identified */\n freshPrsEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.autoRemediationPrs.usePatchRemediation": { + "rendered": "\n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.dockerfileSCMEnabled": { + "rendered": "\n/** If true, will automatically detect and scan Dockerfiles in your Git repositories, surface base image vulnerabilities and recommend possible fixes */\n dockerfileSCMEnabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.manualRemediationPrs": { + "rendered": "\n/** Defines manual remediation policies */\n manualRemediationPrs?: { \n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.manualRemediationPrs.usePatchRemediation": { + "rendered": "\n/** If true, allows using patched remediation */\n usePatchRemediation?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestAssignment": { + "rendered": "\n/** assign Snyk pull requests */\n pullRequestAssignment?: { \n/** an array of usernames that have contributed to the organization's project(s). */\n assignees?: ()[], \n/** if the organization's project(s) will assign Snyk pull requests. */\n enabled?: boolean, \n/** a string representing the type of assignment your projects require. */\n type?: \"auto\" | \"manual\", },", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.pullRequestAssignment.assignees": { + "rendered": "\n/** an array of usernames that have contributed to the organization's project(s). */\n assignees?: ()[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestAssignment.assignees.__no_name": { + "rendered": "", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestAssignment.enabled": { + "rendered": "\n/** if the organization's project(s) will assign Snyk pull requests. */\n enabled?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestAssignment.type": { + "rendered": "\n/** a string representing the type of assignment your projects require. */\n type?: \"auto\" | \"manual\",", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.pullRequestFailOnAnyVulns": { + "rendered": "\n/** If an opened PR should fail to be validated if any vulnerable dependencies have been detected */\n pullRequestFailOnAnyVulns?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestFailOnlyForHighSeverity": { + "rendered": "\n/** If an opened PR only should fail its validation if any dependencies are marked as being of high severity */\n pullRequestFailOnlyForHighSeverity?: boolean,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.pullRequestTestEnabled": { + "rendered": "\n/** If opened PRs should be tested */\n pullRequestTestEnabled?: boolean,", "requiresRelaxedTypeAnnotation": false } } @@ -1508,11 +1600,55 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Onward links from this record */\n links?: {\n /** The URL of the last page of paths for the issue */\n last?: string,\n /** The URL of the next page of paths for the issue, if not on the last page */\n next?: string,\n /** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string,\n\n},\n /** A list of the dependency paths that introduce the issue */\n paths?: (({\n /** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string,\n /** The package name */\n name?: string,\n /** The package version */\n version?: string,\n\n})[])[],\n /** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string,\n /** The total number of results */\n total?: number,\n\n}", + "rendered": "{ \n/** Onward links from this record */\n links?: { \n/** The URL of the last page of paths for the issue */\n last?: string, \n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string, \n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string, }, \n/** A list of the dependency paths that introduce the issue */\n paths?: (({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[])[], \n/** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string, \n/** The total number of results */\n total?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.links": { + "rendered": "\n/** Onward links from this record */\n links?: { \n/** The URL of the last page of paths for the issue */\n last?: string, \n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string, \n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.last": { + "rendered": "\n/** The URL of the last page of paths for the issue */\n last?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.next": { + "rendered": "\n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.prev": { + "rendered": "\n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths": { + "rendered": "\n/** A list of the dependency paths that introduce the issue */\n paths?: (({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[])[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name": { + "rendered": "({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[]", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name": { + "rendered": "{ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.fixVersion": { + "rendered": "\n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.name": { + "rendered": "\n/** The package name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.version": { + "rendered": "\n/** The package version */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.snapshotId": { + "rendered": "\n/** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** The total number of results */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -1702,11 +1838,19 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** The details about the jira issue. */\n jiraIssue?: {\n /** The id of the issue in Jira. */\n id?: string,\n /** The key of the issue in Jira. */\n key?: string,\n\n},\n\n}", + "rendered": "{ \n/** The details about the jira issue. */\n jiraIssue?: { \n/** The id of the issue in Jira. */\n id?: string, \n/** The key of the issue in Jira. */\n key?: string, }, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.jiraIssue": { + "rendered": "\n/** The details about the jira issue. */\n jiraIssue?: { \n/** The id of the issue in Jira. */\n id?: string, \n/** The key of the issue in Jira. */\n key?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.jiraIssue.id": { + "rendered": "\n/** The id of the issue in Jira. */\n id?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.jiraIssue.key": { + "rendered": "\n/** The key of the issue in Jira. */\n key?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1747,11 +1891,55 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Onward links from this record */\n links?: {\n /** The URL of the last page of paths for the issue */\n last?: string,\n /** The URL of the next page of paths for the issue, if not on the last page */\n next?: string,\n /** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string,\n\n},\n /** A list of the dependency paths that introduce the issue */\n paths?: (({\n /** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string,\n /** The package name */\n name?: string,\n /** The package version */\n version?: string,\n\n})[])[],\n /** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string,\n /** The total number of results */\n total?: number,\n\n}", + "rendered": "{ \n/** Onward links from this record */\n links?: { \n/** The URL of the last page of paths for the issue */\n last?: string, \n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string, \n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string, }, \n/** A list of the dependency paths that introduce the issue */\n paths?: (({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[])[], \n/** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string, \n/** The total number of results */\n total?: number, }", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.links": { + "rendered": "\n/** Onward links from this record */\n links?: { \n/** The URL of the last page of paths for the issue */\n last?: string, \n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string, \n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string, },", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.last": { + "rendered": "\n/** The URL of the last page of paths for the issue */\n last?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.next": { + "rendered": "\n/** The URL of the next page of paths for the issue, if not on the last page */\n next?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.links.prev": { + "rendered": "\n/** The URL of the previous page of paths for the issue, if not on the first page */\n prev?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths": { + "rendered": "\n/** A list of the dependency paths that introduce the issue */\n paths?: (({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[])[],", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name": { + "rendered": "({ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, })[]", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name": { + "rendered": "{ \n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string, \n/** The package name */\n name?: string, \n/** The package version */\n version?: string, }", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.fixVersion": { + "rendered": "\n/** The version to upgrade the package to in order to resolve the issue. This will only appear on the first element of the path, and only if the issue can be fixed by upgrading packages. Note that if the fix requires upgrading transitive dependencies, `fixVersion` will be the same as `version`. */\n fixVersion?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.name": { + "rendered": "\n/** The package name */\n name?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.paths.__no_name.__no_name.version": { + "rendered": "\n/** The package version */\n version?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.snapshotId": { + "rendered": "\n/** The identifier of the snapshot for which the paths have been found */\n snapshotId?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total": { + "rendered": "\n/** The total number of results */\n total?: number,", "requiresRelaxedTypeAnnotation": false } } @@ -1771,12 +1959,8 @@ }, "response": { ".__no_name": { - "rendered": "IssueId", + "rendered": "issueId", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, diff --git a/src/app/generator/test-data/param-generator/golden-files/stripe.json b/src/app/generator/test-data/param-generator/golden-files/stripe.json index 8c74011..84f9da7 100644 --- a/src/app/generator/test-data/param-generator/golden-files/stripe.json +++ b/src/app/generator/test-data/param-generator/golden-files/stripe.json @@ -27,12 +27,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Account", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -59,12 +55,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "AccountLink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account_link", + "requiresRelaxedTypeAnnotation": true } } }, @@ -112,19 +104,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Account)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/accounts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Account)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Account)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Account", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -160,12 +160,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Account", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -189,12 +185,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedAccount", + "rendered": "deleted_account", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -231,12 +223,8 @@ }, "response": { ".__no_name": { - "rendered": "Account", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -276,12 +264,8 @@ }, "response": { ".__no_name": { - "rendered": "Account", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -313,11 +297,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -346,11 +326,7 @@ }, "response": { ".__no_name": { - "rendered": "DeletedExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deleted_external_account", "requiresRelaxedTypeAnnotation": false } } @@ -392,11 +368,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -433,11 +405,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -475,19 +443,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (Capability)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Capability)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Capability)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Capability", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -529,12 +505,8 @@ }, "response": { ".__no_name": { - "rendered": "Capability", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "capability", + "requiresRelaxedTypeAnnotation": true } } }, @@ -570,12 +542,8 @@ }, "response": { ".__no_name": { - "rendered": "Capability", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "capability", + "requiresRelaxedTypeAnnotation": true } } }, @@ -624,19 +592,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** The list contains all external accounts that have been attached to the Stripe account. These may be bank accounts or cards. */\n data: ((BankAccount | Card))[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", + "rendered": "{ \n/** The list contains all external accounts that have been attached to the Stripe account. These may be bank accounts or cards. */\n data?: (BankAccount | Card)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** The list contains all external accounts that have been attached to the Stripe account. These may be bank accounts or cards. */\n data?: (BankAccount | Card)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BankAccount | Card", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -669,11 +645,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -702,11 +674,7 @@ }, "response": { ".__no_name": { - "rendered": "DeletedExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "deleted_external_account", "requiresRelaxedTypeAnnotation": false } } @@ -748,11 +716,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -789,11 +753,7 @@ }, "response": { ".__no_name": { - "rendered": "ExternalAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "external_account", "requiresRelaxedTypeAnnotation": false } } @@ -826,12 +786,8 @@ }, "response": { ".__no_name": { - "rendered": "LoginLink", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "login_link", + "requiresRelaxedTypeAnnotation": true } } }, @@ -900,19 +856,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (Person)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Person)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Person)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Person", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -953,12 +917,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -986,12 +946,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedPerson", + "rendered": "deleted_person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1032,12 +988,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1081,12 +1033,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1155,19 +1103,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (Person)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Person)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Person)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Person", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1208,12 +1164,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1241,12 +1193,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedPerson", + "rendered": "deleted_person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1287,12 +1235,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1336,12 +1280,8 @@ }, "response": { ".__no_name": { - "rendered": "Person", + "rendered": "person", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1373,12 +1313,8 @@ }, "response": { ".__no_name": { - "rendered": "Account", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1426,19 +1362,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ApplePayDomain)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/apple_pay/domains\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ApplePayDomain)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ApplePayDomain)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ApplePayDomain", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1466,12 +1410,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ApplePayDomain", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "apple_pay_domain", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1495,12 +1435,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedApplePayDomain", + "rendered": "deleted_apple_pay_domain", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1537,12 +1473,8 @@ }, "response": { ".__no_name": { - "rendered": "ApplePayDomain", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "apple_pay_domain", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1594,19 +1526,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ApplicationFee)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/application_fees\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ApplicationFee)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ApplicationFee)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ApplicationFee", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1648,12 +1588,8 @@ }, "response": { ".__no_name": { - "rendered": "FeeRefund", + "rendered": "fee_refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1689,12 +1625,8 @@ }, "response": { ".__no_name": { - "rendered": "FeeRefund", + "rendered": "fee_refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1731,12 +1663,8 @@ }, "response": { ".__no_name": { - "rendered": "ApplicationFee", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "application_fee", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1768,12 +1696,8 @@ }, "response": { ".__no_name": { - "rendered": "ApplicationFee", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "application_fee", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1822,19 +1746,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FeeRefund)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FeeRefund)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FeeRefund)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data.__no_name": { + "rendered": "FeeRefund", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1867,12 +1799,8 @@ }, "response": { ".__no_name": { - "rendered": "FeeRefund", + "rendered": "fee_refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -1928,19 +1856,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (AppsSecret)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/apps/secrets\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (AppsSecret)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (AppsSecret)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "AppsSecret", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -1968,12 +1904,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "AppsSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "apps.secret", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2000,12 +1932,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "AppsSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "apps.secret", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2053,12 +1981,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "AppsSecret", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "apps.secret", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2090,12 +2014,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Balance", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "balance", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2159,19 +2079,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (BalanceTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/balance_transactions\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (BalanceTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (BalanceTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BalanceTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2209,12 +2137,8 @@ }, "response": { ".__no_name": { - "rendered": "BalanceTransaction", + "rendered": "balance_transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2278,19 +2202,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (BalanceTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/balance_transactions\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (BalanceTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (BalanceTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BalanceTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2328,12 +2260,8 @@ }, "response": { ".__no_name": { - "rendered": "BalanceTransaction", + "rendered": "balance_transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2385,19 +2313,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (BillingPortalConfiguration)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/billing_portal/configurations\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (BillingPortalConfiguration)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (BillingPortalConfiguration)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BillingPortalConfiguration", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2433,12 +2369,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "BillingPortalConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "billing_portal.configuration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2475,12 +2407,8 @@ }, "response": { ".__no_name": { - "rendered": "BillingPortalConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "billing_portal.configuration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2520,12 +2448,8 @@ }, "response": { ".__no_name": { - "rendered": "BillingPortalConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "billing_portal.configuration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2560,12 +2484,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "BillingPortalSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "billing_portal.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2625,19 +2545,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Charge)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/charges\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Charge)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Charge)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Charge", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2669,12 +2597,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Charge", + "rendered": "charge", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2718,19 +2642,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Charge)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Charge)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Charge)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Charge", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -2768,12 +2708,8 @@ }, "response": { ".__no_name": { - "rendered": "Charge", + "rendered": "charge", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2809,12 +2745,8 @@ }, "response": { ".__no_name": { - "rendered": "Charge", + "rendered": "charge", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2846,12 +2778,8 @@ }, "response": { ".__no_name": { - "rendered": "Charge", + "rendered": "charge", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2888,12 +2816,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2925,12 +2849,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2962,12 +2882,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2999,12 +2915,8 @@ }, "response": { ".__no_name": { - "rendered": "Charge", + "rendered": "charge", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3053,19 +2965,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Refund)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Refund)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Refund)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Refund", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3098,12 +3018,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3144,12 +3060,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3185,12 +3097,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3258,19 +3166,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (CheckoutSession)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (CheckoutSession)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (CheckoutSession)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CheckoutSession", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3314,12 +3230,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "CheckoutSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "checkout.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3356,12 +3268,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckoutSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "checkout.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3393,12 +3301,8 @@ }, "response": { ".__no_name": { - "rendered": "CheckoutSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "checkout.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3447,19 +3351,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Item)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Item)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Item)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Item", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3504,19 +3416,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (CountrySpec)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/country_specs\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (CountrySpec)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (CountrySpec)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CountrySpec", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3554,12 +3474,8 @@ }, "response": { ".__no_name": { - "rendered": "CountrySpec", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "country_spec", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3607,19 +3523,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Coupon)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/coupons\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Coupon)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Coupon)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Coupon", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3651,12 +3575,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Coupon", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "coupon", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3680,12 +3600,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedCoupon", + "rendered": "deleted_coupon", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3722,12 +3638,8 @@ }, "response": { ".__no_name": { - "rendered": "Coupon", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "coupon", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3759,12 +3671,8 @@ }, "response": { ".__no_name": { - "rendered": "Coupon", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "coupon", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3816,19 +3724,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (CreditNote)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (CreditNote)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (CreditNote)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CreditNote", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -3860,12 +3776,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "CreditNote", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "credit_note", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3981,12 +3893,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "CreditNote", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "credit_note", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4114,19 +4022,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (CreditNoteLineItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (CreditNoteLineItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (CreditNoteLineItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CreditNoteLineItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4176,19 +4092,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (CreditNoteLineItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (CreditNoteLineItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (CreditNoteLineItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CreditNoteLineItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4226,12 +4150,8 @@ }, "response": { ".__no_name": { - "rendered": "CreditNote", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "credit_note", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4263,12 +4183,8 @@ }, "response": { ".__no_name": { - "rendered": "CreditNote", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "credit_note", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4300,12 +4216,8 @@ }, "response": { ".__no_name": { - "rendered": "CreditNote", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "credit_note", + "requiresRelaxedTypeAnnotation": true } } }, @@ -4361,19 +4273,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Customer)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/customers\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Customer)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Customer)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Customer", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4405,12 +4325,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Customer", + "rendered": "customer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4454,19 +4370,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Customer)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Customer)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Customer)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Customer", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4491,12 +4423,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedCustomer", + "rendered": "deleted_customer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4533,12 +4461,8 @@ }, "response": { ".__no_name": { - "rendered": "(Customer | DeletedCustomer)", + "rendered": "Customer | DeletedCustomer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4574,12 +4498,8 @@ }, "response": { ".__no_name": { - "rendered": "Customer", + "rendered": "customer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4628,19 +4548,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (CustomerBalanceTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (CustomerBalanceTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (CustomerBalanceTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CustomerBalanceTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4673,12 +4601,8 @@ }, "response": { ".__no_name": { - "rendered": "CustomerBalanceTransaction", + "rendered": "customer_balance_transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4719,12 +4643,8 @@ }, "response": { ".__no_name": { - "rendered": "CustomerBalanceTransaction", + "rendered": "customer_balance_transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4760,12 +4680,8 @@ }, "response": { ".__no_name": { - "rendered": "CustomerBalanceTransaction", + "rendered": "customer_balance_transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4814,19 +4730,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (BankAccount)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (BankAccount)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (BankAccount)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BankAccount", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -4859,11 +4783,7 @@ }, "response": { ".__no_name": { - "rendered": "PaymentSource", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "payment_source", "requiresRelaxedTypeAnnotation": false } } @@ -4900,12 +4820,8 @@ }, "response": { ".__no_name": { - "rendered": "(PaymentSource | DeletedPaymentSource)", + "rendered": "PaymentSource | DeletedPaymentSource", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4946,12 +4862,8 @@ }, "response": { ".__no_name": { - "rendered": "BankAccount", + "rendered": "bank_account", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -4991,12 +4903,8 @@ }, "response": { ".__no_name": { - "rendered": "(Card | BankAccount | Source)", + "rendered": "Card | BankAccount | Source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5032,12 +4940,8 @@ }, "response": { ".__no_name": { - "rendered": "BankAccount", + "rendered": "bank_account", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5086,19 +4990,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (Card)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Card)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Card)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Card", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5131,11 +5043,7 @@ }, "response": { ".__no_name": { - "rendered": "PaymentSource", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "payment_source", "requiresRelaxedTypeAnnotation": false } } @@ -5172,12 +5080,8 @@ }, "response": { ".__no_name": { - "rendered": "(PaymentSource | DeletedPaymentSource)", + "rendered": "PaymentSource | DeletedPaymentSource", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5218,12 +5122,8 @@ }, "response": { ".__no_name": { - "rendered": "Card", + "rendered": "card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5263,12 +5163,8 @@ }, "response": { ".__no_name": { - "rendered": "(Card | BankAccount | Source)", + "rendered": "Card | BankAccount | Source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5305,12 +5201,8 @@ }, "response": { ".__no_name": { - "rendered": "CashBalance", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "cash_balance", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5342,12 +5234,8 @@ }, "response": { ".__no_name": { - "rendered": "CashBalance", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "cash_balance", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5396,19 +5284,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (CustomerCashBalanceTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (CustomerCashBalanceTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (CustomerCashBalanceTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "CustomerCashBalanceTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5450,12 +5346,8 @@ }, "response": { ".__no_name": { - "rendered": "CustomerCashBalanceTransaction", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "customer_cash_balance_transaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5479,12 +5371,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedDiscount", + "rendered": "deleted_discount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5521,12 +5409,8 @@ }, "response": { ".__no_name": { - "rendered": "Discount", + "rendered": "discount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5562,12 +5446,8 @@ }, "response": { ".__no_name": { - "rendered": "FundingInstructions", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "funding_instructions", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5620,19 +5500,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (PaymentMethod)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (PaymentMethod)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PaymentMethod)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PaymentMethod", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5674,12 +5562,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5732,19 +5616,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: ((BankAccount | Card | Source))[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", + "rendered": "{ \n/** Details about each object. */\n data?: (BankAccount | Card | Source)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (BankAccount | Card | Source)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "BankAccount | Card | Source", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -5777,11 +5669,7 @@ }, "response": { ".__no_name": { - "rendered": "PaymentSource", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "payment_source", "requiresRelaxedTypeAnnotation": false } } @@ -5818,12 +5706,8 @@ }, "response": { ".__no_name": { - "rendered": "(PaymentSource | DeletedPaymentSource)", + "rendered": "PaymentSource | DeletedPaymentSource", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5864,11 +5748,7 @@ }, "response": { ".__no_name": { - "rendered": "PaymentSource", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", + "rendered": "payment_source", "requiresRelaxedTypeAnnotation": false } } @@ -5909,12 +5789,8 @@ }, "response": { ".__no_name": { - "rendered": "(Card | BankAccount | Source)", + "rendered": "Card | BankAccount | Source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -5950,12 +5826,8 @@ }, "response": { ".__no_name": { - "rendered": "BankAccount", + "rendered": "bank_account", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6004,19 +5876,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Subscription)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Subscription)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Subscription)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Subscription", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6061,12 +5941,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6102,12 +5978,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6148,12 +6020,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6201,12 +6069,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6234,12 +6098,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedDiscount", + "rendered": "deleted_discount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6280,12 +6140,8 @@ }, "response": { ".__no_name": { - "rendered": "Discount", + "rendered": "discount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6334,19 +6190,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TaxId)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TaxId)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TaxId)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TaxId", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6379,12 +6243,8 @@ }, "response": { ".__no_name": { - "rendered": "TaxId", + "rendered": "tax_id", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6412,12 +6272,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedTaxId", + "rendered": "deleted_tax_id", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6458,12 +6314,8 @@ }, "response": { ".__no_name": { - "rendered": "TaxId", + "rendered": "tax_id", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6519,19 +6371,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Dispute)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/disputes\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Dispute)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Dispute)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Dispute", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6569,12 +6429,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6606,12 +6462,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6643,12 +6495,8 @@ }, "response": { ".__no_name": { - "rendered": "Dispute", + "rendered": "dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -6675,12 +6523,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "EphemeralKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ephemeral_key", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6712,12 +6556,8 @@ }, "response": { ".__no_name": { - "rendered": "EphemeralKey", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "ephemeral_key", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6781,19 +6621,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Event)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/events\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Event)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Event)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Event", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6831,12 +6679,8 @@ }, "response": { ".__no_name": { - "rendered": "Event", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "event", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6880,19 +6724,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ExchangeRate)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/exchange_rates\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ExchangeRate)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ExchangeRate)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ExchangeRate", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -6930,12 +6782,8 @@ }, "response": { ".__no_name": { - "rendered": "ExchangeRate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "exchange_rate", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6991,19 +6839,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FileLink)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/file_links\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FileLink)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FileLink)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "FileLink", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7031,12 +6887,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "FileLink", + "rendered": "file_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7073,12 +6925,8 @@ }, "response": { ".__no_name": { - "rendered": "FileLink", + "rendered": "file_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7110,12 +6958,8 @@ }, "response": { ".__no_name": { - "rendered": "FileLink", + "rendered": "file_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7167,19 +7011,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (File)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/files\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (File)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": " data?: (File)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data.__no_name": { + "rendered": "File", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7207,12 +7059,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "File", + "rendered": "file", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7249,12 +7097,8 @@ }, "response": { ".__no_name": { - "rendered": "File", + "rendered": "file", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7314,19 +7158,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FinancialConnectionsAccount)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/financial_connections/accounts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FinancialConnectionsAccount)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FinancialConnectionsAccount)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "FinancialConnectionsAccount", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7364,12 +7216,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7401,12 +7249,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7459,19 +7303,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FinancialConnectionsAccountOwner)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FinancialConnectionsAccountOwner)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FinancialConnectionsAccountOwner)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "FinancialConnectionsAccountOwner", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7504,12 +7356,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7540,12 +7388,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "FinancialConnectionsSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7582,12 +7426,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7643,19 +7483,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IdentityVerificationReport)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/identity/verification_reports\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IdentityVerificationReport)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IdentityVerificationReport)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IdentityVerificationReport", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7693,12 +7541,8 @@ }, "response": { ".__no_name": { - "rendered": "IdentityVerificationReport", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_report", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7750,19 +7594,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IdentityVerificationSession)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/identity/verification_sessions\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IdentityVerificationSession)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IdentityVerificationSession)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IdentityVerificationSession", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -7790,12 +7642,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IdentityVerificationSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7832,12 +7680,8 @@ }, "response": { ".__no_name": { - "rendered": "IdentityVerificationSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7869,12 +7713,8 @@ }, "response": { ".__no_name": { - "rendered": "IdentityVerificationSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7906,12 +7746,8 @@ }, "response": { ".__no_name": { - "rendered": "IdentityVerificationSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7943,12 +7779,8 @@ }, "response": { ".__no_name": { - "rendered": "IdentityVerificationSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "identity.verification_session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8008,19 +7840,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Invoiceitem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/invoiceitems\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Invoiceitem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Invoiceitem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Invoiceitem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -8048,12 +7888,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Invoiceitem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "invoiceitem", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8077,12 +7913,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedInvoiceitem", + "rendered": "deleted_invoiceitem", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8119,12 +7951,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoiceitem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "invoiceitem", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8156,12 +7984,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoiceitem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "invoiceitem", + "requiresRelaxedTypeAnnotation": true } } }, @@ -8229,19 +8053,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Invoice)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/invoices\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Invoice)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Invoice)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Invoice", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -8281,12 +8113,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8330,19 +8158,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Invoice)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Invoice)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Invoice)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Invoice", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -8667,12 +8511,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9008,19 +8848,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (LineItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (LineItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (LineItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "LineItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -9045,12 +8893,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedInvoice", + "rendered": "deleted_invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9087,12 +8931,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9128,12 +8968,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9165,12 +9001,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9219,19 +9051,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (LineItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (LineItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (LineItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "LineItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -9264,12 +9104,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9301,12 +9137,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9338,12 +9170,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9375,12 +9203,8 @@ }, "response": { ".__no_name": { - "rendered": "Invoice", + "rendered": "invoice", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9440,19 +9264,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingAuthorization)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/authorizations\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingAuthorization)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingAuthorization)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingAuthorization", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -9490,12 +9322,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingAuthorization", + "rendered": "issuing.authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9527,12 +9355,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingAuthorization", + "rendered": "issuing.authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9564,12 +9388,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingAuthorization", + "rendered": "issuing.authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9601,12 +9421,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingAuthorization", + "rendered": "issuing.authorization", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9670,19 +9486,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingCardholder)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/cardholders\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingCardholder)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingCardholder)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingCardholder", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -9722,12 +9546,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IssuingCardholder", + "rendered": "issuing.cardholder", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9764,12 +9584,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCardholder", + "rendered": "issuing.cardholder", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9813,12 +9629,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCardholder", + "rendered": "issuing.cardholder", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9890,19 +9702,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingCard)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/cards\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingCard)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingCard)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingCard", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -9942,12 +9762,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -9984,12 +9800,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10033,12 +9845,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10094,19 +9902,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingDispute)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/disputes\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingDispute)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingDispute)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingDispute", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -10134,12 +9950,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "IssuingDispute", + "rendered": "issuing.dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10176,12 +9988,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingDispute", + "rendered": "issuing.dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10213,12 +10021,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingDispute", + "rendered": "issuing.dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10250,12 +10054,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingDispute", + "rendered": "issuing.dispute", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10303,19 +10103,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingSettlement)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/settlements\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingSettlement)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingSettlement)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingSettlement", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -10353,12 +10161,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingSettlement", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "issuing.settlement", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10390,12 +10194,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingSettlement", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "issuing.settlement", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10455,19 +10255,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (IssuingTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/issuing/transactions\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (IssuingTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (IssuingTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "IssuingTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -10505,12 +10313,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingTransaction", + "rendered": "issuing.transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10542,12 +10346,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingTransaction", + "rendered": "issuing.transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -10578,12 +10378,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "FinancialConnectionsSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10620,12 +10416,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsSession", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.session", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10685,19 +10477,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FinancialConnectionsAccount)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/financial_connections/accounts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FinancialConnectionsAccount)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FinancialConnectionsAccount)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "FinancialConnectionsAccount", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -10735,12 +10535,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10772,12 +10568,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10830,19 +10622,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (FinancialConnectionsAccountOwner)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (FinancialConnectionsAccountOwner)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (FinancialConnectionsAccountOwner)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "FinancialConnectionsAccountOwner", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -10875,12 +10675,8 @@ }, "response": { ".__no_name": { - "rendered": "FinancialConnectionsAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "financial_connections.account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10917,12 +10713,8 @@ }, "response": { ".__no_name": { - "rendered": "Mandate", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "mandate", + "requiresRelaxedTypeAnnotation": true } } }, @@ -10974,19 +10766,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (PaymentIntent)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/payment_intents\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (PaymentIntent)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PaymentIntent)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PaymentIntent", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -11022,12 +10822,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11071,22 +10867,38 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (PaymentIntent)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (PaymentIntent)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PaymentIntent)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PaymentIntent", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", "requiresRelaxedTypeAnnotation": false - } - } + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", + "requiresRelaxedTypeAnnotation": false + } + } }, "get__/v1/payment_intents/{intent}": { "query": { @@ -11125,12 +10937,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11170,12 +10978,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11207,12 +11011,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11244,12 +11044,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11281,12 +11077,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11326,12 +11118,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11363,12 +11151,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11400,12 +11184,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentIntent", + "rendered": "payment_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11453,19 +11233,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (PaymentLink)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/payment_links\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (PaymentLink)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PaymentLink)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PaymentLink", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -11509,12 +11297,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "PaymentLink", + "rendered": "payment_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11551,12 +11335,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentLink", + "rendered": "payment_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11596,12 +11376,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentLink", + "rendered": "payment_link", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11650,19 +11426,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Item)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Item)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Item)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Item", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -11715,19 +11499,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (PaymentMethod)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/payment_methods\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (PaymentMethod)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PaymentMethod)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PaymentMethod", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -11759,12 +11551,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11801,12 +11589,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11838,12 +11622,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11875,12 +11655,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11912,12 +11688,8 @@ }, "response": { ".__no_name": { - "rendered": "PaymentMethod", + "rendered": "payment_method", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -11977,19 +11749,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Payout)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/payouts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Payout)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Payout)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Payout", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12017,12 +11797,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Payout", + "rendered": "payout", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12059,12 +11835,8 @@ }, "response": { ".__no_name": { - "rendered": "Payout", + "rendered": "payout", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12096,12 +11868,8 @@ }, "response": { ".__no_name": { - "rendered": "Payout", + "rendered": "payout", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12133,12 +11901,8 @@ }, "response": { ".__no_name": { - "rendered": "Payout", + "rendered": "payout", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12170,12 +11934,8 @@ }, "response": { ".__no_name": { - "rendered": "Payout", + "rendered": "payout", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12231,19 +11991,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Plan)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/plans\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Plan)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Plan)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Plan", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12275,12 +12043,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Plan", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "plan", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12304,12 +12068,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedPlan", + "rendered": "deleted_plan", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12346,12 +12106,8 @@ }, "response": { ".__no_name": { - "rendered": "Plan", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "plan", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12383,12 +12139,8 @@ }, "response": { ".__no_name": { - "rendered": "Plan", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "plan", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12472,19 +12224,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Price)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/prices\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Price)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Price)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Price", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12516,12 +12276,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Price", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "price", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12565,19 +12321,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Price)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Price)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Price)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Price", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12615,12 +12387,8 @@ }, "response": { ".__no_name": { - "rendered": "Price", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "price", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12652,12 +12420,8 @@ }, "response": { ".__no_name": { - "rendered": "Price", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "price", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12725,19 +12489,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Product)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/products\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Product)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Product)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Product", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12769,12 +12541,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Product", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "product", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12818,19 +12586,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Product)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Product)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + ".__no_name.data": { + "rendered": " data?: (Product)[],", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data.__no_name": { + "rendered": "Product", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -12855,12 +12639,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedProduct", + "rendered": "deleted_product", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -12897,12 +12677,8 @@ }, "response": { ".__no_name": { - "rendered": "Product", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "product", + "requiresRelaxedTypeAnnotation": true } } }, @@ -12934,12 +12710,8 @@ }, "response": { ".__no_name": { - "rendered": "Product", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "product", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13003,19 +12775,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (PromotionCode)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/promotion_codes\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (PromotionCode)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (PromotionCode)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "PromotionCode", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13043,12 +12823,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "PromotionCode", + "rendered": "promotion_code", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13085,12 +12861,8 @@ }, "response": { ".__no_name": { - "rendered": "PromotionCode", + "rendered": "promotion_code", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13122,12 +12894,8 @@ }, "response": { ".__no_name": { - "rendered": "PromotionCode", + "rendered": "promotion_code", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13183,19 +12951,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Quote)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/quotes\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Quote)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Quote)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Quote", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13235,12 +13011,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13277,12 +13049,8 @@ }, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13326,12 +13094,8 @@ }, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13363,12 +13127,8 @@ }, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13400,12 +13160,8 @@ }, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13454,19 +13210,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Item)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Item)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Item)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Item", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13499,12 +13263,8 @@ }, "response": { ".__no_name": { - "rendered": "Quote", + "rendered": "quote", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13553,19 +13313,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Item)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Item)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Item)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Item", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13660,19 +13428,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (RadarEarlyFraudWarning)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/radar/early_fraud_warnings\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (RadarEarlyFraudWarning)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (RadarEarlyFraudWarning)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "RadarEarlyFraudWarning", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13710,12 +13486,8 @@ }, "response": { ".__no_name": { - "rendered": "RadarEarlyFraudWarning", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.early_fraud_warning", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13771,19 +13543,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (RadarValueListItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/radar/value_list_items\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (RadarValueListItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (RadarValueListItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "RadarValueListItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13811,12 +13591,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RadarValueListItem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.value_list_item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13840,12 +13616,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedRadarValueListItem", + "rendered": "deleted_radar.value_list_item", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -13882,12 +13654,8 @@ }, "response": { ".__no_name": { - "rendered": "RadarValueListItem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.value_list_item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -13943,19 +13711,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (RadarValueList)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/radar/value_lists\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (RadarValueList)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (RadarValueList)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "RadarValueList", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -13983,12 +13759,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "RadarValueList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.value_list", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14012,12 +13784,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedRadarValueList", + "rendered": "deleted_radar.value_list", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14054,12 +13822,8 @@ }, "response": { ".__no_name": { - "rendered": "RadarValueList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.value_list", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14091,12 +13855,8 @@ }, "response": { ".__no_name": { - "rendered": "RadarValueList", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "radar.value_list", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14152,19 +13912,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Refund)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/refunds\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Refund)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Refund)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Refund", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14192,12 +13960,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14234,12 +13998,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14271,12 +14031,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14308,12 +14064,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14361,19 +14113,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ReportingReportRun)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/reporting/report_runs\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ReportingReportRun)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ReportingReportRun)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ReportingReportRun", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14405,12 +14165,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ReportingReportRun", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "reporting.report_run", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14447,12 +14203,8 @@ }, "response": { ".__no_name": { - "rendered": "ReportingReportRun", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "reporting.report_run", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14484,19 +14236,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ReportingReportType)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ReportingReportType)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ReportingReportType)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ReportingReportType", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14534,12 +14294,8 @@ }, "response": { ".__no_name": { - "rendered": "ReportingReportType", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "reporting.report_type", + "requiresRelaxedTypeAnnotation": true } } }, @@ -14587,19 +14343,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Review)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Review)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Review)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Review", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14637,12 +14401,8 @@ }, "response": { ".__no_name": { - "rendered": "Review", + "rendered": "review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14674,12 +14434,8 @@ }, "response": { ".__no_name": { - "rendered": "Review", + "rendered": "review", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14731,19 +14487,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (SetupAttempt)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/setup_attempts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (SetupAttempt)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (SetupAttempt)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "SetupAttempt", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14804,19 +14568,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (SetupIntent)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/setup_intents\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (SetupIntent)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (SetupIntent)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "SetupIntent", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -14856,12 +14628,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14902,12 +14670,8 @@ }, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14951,12 +14715,8 @@ }, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -14988,12 +14748,8 @@ }, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15037,12 +14793,8 @@ }, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15074,12 +14826,8 @@ }, "response": { ".__no_name": { - "rendered": "SetupIntent", + "rendered": "setup_intent", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15135,19 +14883,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ShippingRate)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/shipping_rates\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ShippingRate)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ShippingRate)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ShippingRate", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15179,12 +14935,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "ShippingRate", + "rendered": "shipping_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15221,12 +14973,8 @@ }, "response": { ".__no_name": { - "rendered": "ShippingRate", + "rendered": "shipping_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15258,12 +15006,8 @@ }, "response": { ".__no_name": { - "rendered": "ShippingRate", + "rendered": "shipping_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15307,19 +15051,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (ScheduledQueryRun)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/sigma/scheduled_query_runs\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (ScheduledQueryRun)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (ScheduledQueryRun)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "ScheduledQueryRun", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15357,12 +15109,8 @@ }, "response": { ".__no_name": { - "rendered": "ScheduledQueryRun", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "scheduled_query_run", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15397,12 +15145,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Source", + "rendered": "source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15443,12 +15187,8 @@ }, "response": { ".__no_name": { - "rendered": "Source", + "rendered": "source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15488,12 +15228,8 @@ }, "response": { ".__no_name": { - "rendered": "Source", + "rendered": "source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15534,12 +15270,8 @@ }, "response": { ".__no_name": { - "rendered": "SourceMandateNotification", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "source_mandate_notification", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15588,19 +15320,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (SourceTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (SourceTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (SourceTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "SourceTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15642,12 +15382,8 @@ }, "response": { ".__no_name": { - "rendered": "SourceTransaction", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "source_transaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15679,12 +15415,8 @@ }, "response": { ".__no_name": { - "rendered": "Source", + "rendered": "source", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15732,19 +15464,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (SubscriptionItem)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/subscription_items\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (SubscriptionItem)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (SubscriptionItem)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "SubscriptionItem", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15776,12 +15516,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubscriptionItem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription_item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15809,12 +15545,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedSubscriptionItem", + "rendered": "deleted_subscription_item", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -15851,12 +15583,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionItem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription_item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15892,12 +15620,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionItem", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription_item", + "requiresRelaxedTypeAnnotation": true } } }, @@ -15946,19 +15670,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n data: (UsageRecordSummary)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (UsageRecordSummary)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (UsageRecordSummary)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "UsageRecordSummary", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -15991,12 +15723,8 @@ }, "response": { ".__no_name": { - "rendered": "UsageRecord", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "usage_record", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16064,19 +15792,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (SubscriptionSchedule)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/subscription_schedules\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (SubscriptionSchedule)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (SubscriptionSchedule)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "SubscriptionSchedule", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -16124,12 +15860,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "SubscriptionSchedule", + "rendered": "subscription_schedule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16166,12 +15898,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionSchedule", + "rendered": "subscription_schedule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16223,12 +15951,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionSchedule", + "rendered": "subscription_schedule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16260,12 +15984,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionSchedule", + "rendered": "subscription_schedule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16297,12 +16017,8 @@ }, "response": { ".__no_name": { - "rendered": "SubscriptionSchedule", + "rendered": "subscription_schedule", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16378,19 +16094,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Subscription)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/subscriptions\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Subscription)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Subscription)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Subscription", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -16430,12 +16154,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16479,19 +16199,35 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Subscription)[],\n has_more: boolean,\n /** @maxLength 5000 */\n next_page?: string | null,\n /** String representing the object's type. Objects of the same type share the same value. */\n object: \"search_result\",\n /** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,\n /** @maxLength 5000 */\n url: string,\n\n}", + "rendered": "{ data?: (Subscription)[], has_more?: boolean, next_page?: string, \n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\", \n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number, url?: string, }", "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Subscription)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Subscription", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": " has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.next_page": { + "rendered": " next_page?: string,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. */\n object?: \"search_result\",", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.total_count": { + "rendered": "\n/** The total number of objects that match the query, only accurate up to 10,000. */\n total_count?: number,", + "requiresRelaxedTypeAnnotation": false + }, + ".__no_name.url": { + "rendered": " url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -16524,12 +16260,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16566,12 +16298,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16615,12 +16343,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16644,12 +16368,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedDiscount", + "rendered": "deleted_discount", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16681,12 +16401,8 @@ }, "response": { ".__no_name": { - "rendered": "Subscription", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "subscription", + "requiresRelaxedTypeAnnotation": true } } }, @@ -16730,19 +16446,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TaxCode)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TaxCode)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TaxCode)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TaxCode", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -16780,12 +16504,8 @@ }, "response": { ".__no_name": { - "rendered": "TaxCode", + "rendered": "tax_code", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16841,19 +16561,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TaxRate)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/tax_rates\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TaxRate)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TaxRate)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TaxRate", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -16881,12 +16609,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TaxRate", + "rendered": "tax_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16923,12 +16647,8 @@ }, "response": { ".__no_name": { - "rendered": "TaxRate", + "rendered": "tax_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -16960,12 +16680,8 @@ }, "response": { ".__no_name": { - "rendered": "TaxRate", + "rendered": "tax_rate", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17013,19 +16729,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TerminalConfiguration)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/terminal/configurations\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TerminalConfiguration)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TerminalConfiguration)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TerminalConfiguration", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -17053,12 +16777,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TerminalConfiguration", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.configuration", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17082,12 +16802,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedTerminalConfiguration", + "rendered": "deleted_terminal.configuration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17124,12 +16840,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalConfiguration | DeletedTerminalConfiguration)", + "rendered": "TerminalConfiguration | DeletedTerminalConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17161,12 +16873,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalConfiguration | DeletedTerminalConfiguration)", + "rendered": "TerminalConfiguration | DeletedTerminalConfiguration", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17193,12 +16901,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TerminalConnectionToken", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.connection_token", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17242,19 +16946,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TerminalLocation)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/terminal/locations\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TerminalLocation)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TerminalLocation)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TerminalLocation", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -17282,12 +16994,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TerminalLocation", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.location", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17311,12 +17019,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedTerminalLocation", + "rendered": "deleted_terminal.location", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17353,12 +17057,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalLocation | DeletedTerminalLocation)", + "rendered": "TerminalLocation | DeletedTerminalLocation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17390,12 +17090,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalLocation | DeletedTerminalLocation)", + "rendered": "TerminalLocation | DeletedTerminalLocation", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17451,19 +17147,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** A list of readers */\n data: (TerminalReader)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** A list of readers */\n data?: (TerminalReader)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** A list of readers */\n data?: (TerminalReader)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TerminalReader", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -17491,12 +17195,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17520,12 +17220,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedTerminalReader", + "rendered": "deleted_terminal.reader", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17562,12 +17258,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalReader | DeletedTerminalReader)", + "rendered": "TerminalReader | DeletedTerminalReader", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17599,12 +17291,8 @@ }, "response": { ".__no_name": { - "rendered": "(TerminalReader | DeletedTerminalReader)", + "rendered": "TerminalReader | DeletedTerminalReader", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17636,12 +17324,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17677,12 +17361,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17714,12 +17394,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17751,12 +17427,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17796,12 +17468,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17833,12 +17501,8 @@ }, "response": { ".__no_name": { - "rendered": "CustomerCashBalanceTransaction", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "customer_cash_balance_transaction", + "requiresRelaxedTypeAnnotation": true } } }, @@ -17870,12 +17534,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17907,12 +17567,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17944,12 +17600,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -17981,12 +17633,8 @@ }, "response": { ".__no_name": { - "rendered": "IssuingCard", + "rendered": "issuing.card", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18018,12 +17666,8 @@ }, "response": { ".__no_name": { - "rendered": "Refund", + "rendered": "refund", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18055,12 +17699,8 @@ }, "response": { ".__no_name": { - "rendered": "TerminalReader", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "terminal.reader", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18104,19 +17744,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TestHelpersTestClock)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/test_helpers/test_clocks\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TestHelpersTestClock)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TestHelpersTestClock)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TestHelpersTestClock", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -18144,12 +17792,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TestHelpersTestClock", + "rendered": "test_helpers.test_clock", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18173,12 +17817,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedTestHelpersTestClock", + "rendered": "deleted_test_helpers.test_clock", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18215,12 +17855,8 @@ }, "response": { ".__no_name": { - "rendered": "TestHelpersTestClock", + "rendered": "test_helpers.test_clock", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18252,12 +17888,8 @@ }, "response": { ".__no_name": { - "rendered": "TestHelpersTestClock", + "rendered": "test_helpers.test_clock", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18289,12 +17921,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18326,12 +17954,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18363,12 +17987,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18400,12 +18020,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18437,12 +18053,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18474,12 +18086,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18511,12 +18119,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18548,12 +18152,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18585,12 +18185,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18621,12 +18217,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryReceivedCredit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.received_credit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18657,12 +18249,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryReceivedDebit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.received_debit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18701,12 +18289,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Token", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "token", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18743,12 +18327,8 @@ }, "response": { ".__no_name": { - "rendered": "Token", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "token", + "requiresRelaxedTypeAnnotation": true } } }, @@ -18804,19 +18384,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (Topup)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/topups\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (Topup)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (Topup)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Topup", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -18844,12 +18432,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Topup", + "rendered": "topup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18886,12 +18470,8 @@ }, "response": { ".__no_name": { - "rendered": "Topup", + "rendered": "topup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18923,12 +18503,8 @@ }, "response": { ".__no_name": { - "rendered": "Topup", + "rendered": "topup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -18960,12 +18536,8 @@ }, "response": { ".__no_name": { - "rendered": "Topup", + "rendered": "topup", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19021,19 +18593,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (Transfer)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/transfers\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (Transfer)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (Transfer)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "Transfer", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19061,12 +18641,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Transfer", + "rendered": "transfer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19115,19 +18691,27 @@ }, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TransferReversal)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TransferReversal)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TransferReversal)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TransferReversal", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19160,12 +18744,8 @@ }, "response": { ".__no_name": { - "rendered": "TransferReversal", + "rendered": "transfer_reversal", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19202,12 +18782,8 @@ }, "response": { ".__no_name": { - "rendered": "Transfer", + "rendered": "transfer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19239,12 +18815,8 @@ }, "response": { ".__no_name": { - "rendered": "Transfer", + "rendered": "transfer", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19285,12 +18857,8 @@ }, "response": { ".__no_name": { - "rendered": "TransferReversal", + "rendered": "transfer_reversal", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19326,12 +18894,8 @@ }, "response": { ".__no_name": { - "rendered": "TransferReversal", + "rendered": "transfer_reversal", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19387,19 +18951,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryCreditReversal)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryCreditReversal)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryCreditReversal)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryCreditReversal", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19427,12 +18999,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryCreditReversal", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.credit_reversal", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19469,12 +19037,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryCreditReversal", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.credit_reversal", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19534,19 +19098,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryDebitReversal)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryDebitReversal)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryDebitReversal)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryDebitReversal", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19574,12 +19146,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryDebitReversal", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.debit_reversal", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19616,12 +19184,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryDebitReversal", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.debit_reversal", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19669,19 +19233,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (TreasuryFinancialAccount)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/treasury/financial_accounts\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (TreasuryFinancialAccount)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (TreasuryFinancialAccount)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryFinancialAccount", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19717,12 +19289,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryFinancialAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.financial_account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19759,12 +19327,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryFinancialAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.financial_account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19804,12 +19368,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryFinancialAccount", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.financial_account", + "requiresRelaxedTypeAnnotation": true } } }, @@ -19846,12 +19406,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryFinancialAccountFeatures", + "rendered": "treasury.financial_account_features", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19887,12 +19443,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryFinancialAccountFeatures", + "rendered": "treasury.financial_account_features", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -19944,19 +19496,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryInboundTransfer)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryInboundTransfer)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryInboundTransfer)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryInboundTransfer", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -19984,12 +19544,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20026,12 +19582,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20063,12 +19615,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryInboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.inbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20124,19 +19672,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryOutboundPayment)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/treasury/outbound_payments\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryOutboundPayment)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryOutboundPayment)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryOutboundPayment", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20168,12 +19724,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20210,12 +19762,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20247,12 +19795,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundPayment", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_payment", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20304,19 +19848,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryOutboundTransfer)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryOutboundTransfer)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryOutboundTransfer)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryOutboundTransfer", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20344,12 +19896,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20386,12 +19934,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20423,12 +19967,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryOutboundTransfer", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.outbound_transfer", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20488,19 +20028,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryReceivedCredit)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryReceivedCredit)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryReceivedCredit)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryReceivedCredit", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20538,12 +20086,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryReceivedCredit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.received_credit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20595,19 +20139,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryReceivedDebit)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryReceivedDebit)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryReceivedDebit)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryReceivedDebit", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20645,12 +20197,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryReceivedDebit", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "treasury.received_debit", + "requiresRelaxedTypeAnnotation": true } } }, @@ -20714,19 +20262,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryTransactionEntry)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/treasury/transaction_entries\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryTransactionEntry)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryTransactionEntry)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryTransactionEntry", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20764,12 +20320,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryTransactionEntry", + "rendered": "treasury.transaction_entry", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20837,19 +20389,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n /** Details about each object. */\n data: (TreasuryTransaction)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ \n/** Details about each object. */\n data?: (TreasuryTransaction)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": "\n/** Details about each object. */\n data?: (TreasuryTransaction)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "TreasuryTransaction", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20887,12 +20447,8 @@ }, "response": { ".__no_name": { - "rendered": "TreasuryTransaction", + "rendered": "treasury.transaction", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -20936,19 +20492,27 @@ "path": {}, "response": { ".__no_name": { - "rendered": "{\n data: (WebhookEndpoint)[],\n /** True if this list has another page of items after this one that can be fetched. */\n has_more: boolean,\n /** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object: \"list\",\n /**\n * The URL where this list can be accessed.\n * @maxLength 5000\n * @pattern ^/v1/webhook_endpoints\n */\n url: string,\n\n}", - "requiresRelaxedTypeAnnotation": false + "rendered": "{ data?: (WebhookEndpoint)[], \n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean, \n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\", \n/** The URL where this list can be accessed. */\n url?: string, }", + "requiresRelaxedTypeAnnotation": true }, - ".__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.data": { + "rendered": " data?: (WebhookEndpoint)[],", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.data.__no_name": { + "rendered": "WebhookEndpoint", + "requiresRelaxedTypeAnnotation": true + }, + ".__no_name.has_more": { + "rendered": "\n/** True if this list has another page of items after this one that can be fetched. */\n has_more?: boolean,", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.object": { + "rendered": "\n/** String representing the object's type. Objects of the same type share the same value. Always has the value `list`. */\n object?: \"list\",", "requiresRelaxedTypeAnnotation": false }, - ".__no_name.__no_name.__no_name.__no_name": { - "rendered": "__undefined", + ".__no_name.url": { + "rendered": "\n/** The URL where this list can be accessed. */\n url?: string,", "requiresRelaxedTypeAnnotation": false } } @@ -20976,12 +20540,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "WebhookEndpoint", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "webhook_endpoint", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21005,12 +20565,8 @@ }, "response": { ".__no_name": { - "rendered": "DeletedWebhookEndpoint", + "rendered": "deleted_webhook_endpoint", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -21047,12 +20603,8 @@ }, "response": { ".__no_name": { - "rendered": "WebhookEndpoint", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "webhook_endpoint", + "requiresRelaxedTypeAnnotation": true } } }, @@ -21084,12 +20636,8 @@ }, "response": { ".__no_name": { - "rendered": "WebhookEndpoint", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "webhook_endpoint", + "requiresRelaxedTypeAnnotation": true } } } diff --git a/src/app/generator/test-data/param-generator/golden-files/vimeo.json b/src/app/generator/test-data/param-generator/golden-files/vimeo.json index 1216299..99f1fa9 100644 --- a/src/app/generator/test-data/param-generator/golden-files/vimeo.json +++ b/src/app/generator/test-data/param-generator/golden-files/vimeo.json @@ -602,12 +602,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "User", + "requiresRelaxedTypeAnnotation": true } } }, @@ -1040,12 +1036,8 @@ }, "response": { ".__no_name": { - "rendered": "Video", + "rendered": "video", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -2042,12 +2034,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Album", + "requiresRelaxedTypeAnnotation": true } } }, @@ -2359,12 +2347,8 @@ }, "response": { ".__no_name": { - "rendered": "Album", + "rendered": "album", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3157,12 +3141,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "OnDemandPage", + "rendered": "on-demand-page", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3668,12 +3648,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -3696,12 +3672,8 @@ "path": {}, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3745,12 +3717,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3778,12 +3746,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -3856,12 +3820,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Video", + "requiresRelaxedTypeAnnotation": true } } }, @@ -5727,12 +5687,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Album", + "requiresRelaxedTypeAnnotation": true } } }, @@ -6401,12 +6357,8 @@ }, "response": { ".__no_name": { - "rendered": "Album", + "rendered": "album", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7328,12 +7280,8 @@ }, "response": { ".__no_name": { - "rendered": "OnDemandPage", + "rendered": "on-demand-page", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7868,12 +7816,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Project", + "requiresRelaxedTypeAnnotation": true } } }, @@ -7901,12 +7845,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7958,12 +7898,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -7995,12 +7931,8 @@ }, "response": { ".__no_name": { - "rendered": "Project", + "rendered": "project", "requiresRelaxedTypeAnnotation": true - }, - ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false } } }, @@ -8081,12 +8013,8 @@ "requiresRelaxedTypeAnnotation": true }, ".__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false - }, - ".__no_name.__no_name.__no_name": { - "rendered": "__undefined", - "requiresRelaxedTypeAnnotation": false + "rendered": "Video", + "requiresRelaxedTypeAnnotation": true } } }, diff --git a/src/app/parser/open-api/test-data/golden-files/schema-parser-tests/relaxed-type-tests/atlassian-jira.json b/src/app/parser/open-api/test-data/golden-files/schema-parser-tests/relaxed-type-tests/atlassian-jira.json index 29efb5f..a70e058 100644 --- a/src/app/parser/open-api/test-data/golden-files/schema-parser-tests/relaxed-type-tests/atlassian-jira.json +++ b/src/app/parser/open-api/test-data/golden-files/schema-parser-tests/relaxed-type-tests/atlassian-jira.json @@ -16,12 +16,12 @@ }, { "schemaRef": "#/components/schemas/AddGroupBean", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "AddGroupBean" }, { "schemaRef": "#/components/schemas/AddNotificationsDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "AddNotificationsDetails" }, { @@ -36,7 +36,7 @@ }, { "schemaRef": "#/components/schemas/Application", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Application" }, { @@ -61,7 +61,7 @@ }, { "schemaRef": "#/components/schemas/Attachment", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Attachment" }, { @@ -131,7 +131,7 @@ }, { "schemaRef": "#/components/schemas/Avatar", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Avatar" }, { @@ -141,7 +141,7 @@ }, { "schemaRef": "#/components/schemas/Avatars", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Avatars" }, { @@ -216,7 +216,7 @@ }, { "schemaRef": "#/components/schemas/Changelog", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Changelog" }, { @@ -321,7 +321,7 @@ }, { "schemaRef": "#/components/schemas/CreateNotificationSchemeDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "CreateNotificationSchemeDetails" }, { @@ -336,7 +336,7 @@ }, { "schemaRef": "#/components/schemas/CreateResolutionDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "CreateResolutionDetails" }, { @@ -886,17 +886,17 @@ }, { "schemaRef": "#/components/schemas/HistoryMetadata", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "HistoryMetadata" }, { "schemaRef": "#/components/schemas/HistoryMetadataParticipant", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "HistoryMetadataParticipant" }, { "schemaRef": "#/components/schemas/Icon", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Icon" }, { @@ -921,7 +921,7 @@ }, { "schemaRef": "#/components/schemas/IssueBean", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "IssueBean" }, { @@ -1036,7 +1036,7 @@ }, { "schemaRef": "#/components/schemas/IssueTransition", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "IssueTransition" }, { @@ -1161,7 +1161,7 @@ }, { "schemaRef": "#/components/schemas/IssueTypeWithStatus", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "IssueTypeWithStatus" }, { @@ -1461,12 +1461,12 @@ }, { "schemaRef": "#/components/schemas/NewUserDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NewUserDetails" }, { "schemaRef": "#/components/schemas/Notification", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Notification" }, { @@ -1476,12 +1476,12 @@ }, { "schemaRef": "#/components/schemas/NotificationRecipients", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationRecipients" }, { "schemaRef": "#/components/schemas/NotificationRecipientsRestrictions", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationRecipientsRestrictions" }, { @@ -1501,22 +1501,22 @@ }, { "schemaRef": "#/components/schemas/NotificationSchemeEventDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationSchemeEventDetails" }, { "schemaRef": "#/components/schemas/NotificationSchemeEventTypeId", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationSchemeEventTypeId" }, { "schemaRef": "#/components/schemas/NotificationSchemeId", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationSchemeId" }, { "schemaRef": "#/components/schemas/NotificationSchemeNotificationDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "NotificationSchemeNotificationDetails" }, { @@ -1526,7 +1526,7 @@ }, { "schemaRef": "#/components/schemas/Operations", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Operations" }, { @@ -1541,7 +1541,7 @@ }, { "schemaRef": "#/components/schemas/PageBeanChangelog", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "PageBeanChangelog" }, { @@ -1696,7 +1696,7 @@ }, { "schemaRef": "#/components/schemas/PageBeanPriority", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "PageBeanPriority" }, { @@ -1756,7 +1756,7 @@ }, { "schemaRef": "#/components/schemas/PageBeanVersion", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "PageBeanVersion" }, { @@ -1781,7 +1781,7 @@ }, { "schemaRef": "#/components/schemas/PageOfChangelogs", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "PageOfChangelogs" }, { @@ -1866,12 +1866,12 @@ }, { "schemaRef": "#/components/schemas/Priority", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Priority" }, { "schemaRef": "#/components/schemas/PriorityId", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "PriorityId" }, { @@ -1881,7 +1881,7 @@ }, { "schemaRef": "#/components/schemas/ProjectAvatars", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "ProjectAvatars" }, { @@ -2046,7 +2046,7 @@ }, { "schemaRef": "#/components/schemas/RemoteIssueLink", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "RemoteIssueLink" }, { @@ -2056,12 +2056,12 @@ }, { "schemaRef": "#/components/schemas/RemoteIssueLinkRequest", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "RemoteIssueLinkRequest" }, { "schemaRef": "#/components/schemas/RemoteObject", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "RemoteObject" }, { @@ -2086,7 +2086,7 @@ }, { "schemaRef": "#/components/schemas/ResolutionId", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "ResolutionId" }, { @@ -2096,7 +2096,7 @@ }, { "schemaRef": "#/components/schemas/RestrictedPermission", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "RestrictedPermission" }, { @@ -2186,7 +2186,7 @@ }, { "schemaRef": "#/components/schemas/SearchResults", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "SearchResults" }, { @@ -2271,12 +2271,12 @@ }, { "schemaRef": "#/components/schemas/Status", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Status" }, { "schemaRef": "#/components/schemas/StatusCategory", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "StatusCategory" }, { @@ -2291,7 +2291,7 @@ }, { "schemaRef": "#/components/schemas/StatusDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "StatusDetails" }, { @@ -2326,7 +2326,7 @@ }, { "schemaRef": "#/components/schemas/SystemAvatars", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "SystemAvatars" }, { @@ -2366,7 +2366,7 @@ }, { "schemaRef": "#/components/schemas/Transitions", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Transitions" }, { @@ -2386,7 +2386,7 @@ }, { "schemaRef": "#/components/schemas/UnrestrictedUserEmail", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "UnrestrictedUserEmail" }, { @@ -2406,7 +2406,7 @@ }, { "schemaRef": "#/components/schemas/UpdateNotificationSchemeDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "UpdateNotificationSchemeDetails" }, { @@ -2421,7 +2421,7 @@ }, { "schemaRef": "#/components/schemas/UpdateResolutionDetails", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "UpdateResolutionDetails" }, { @@ -2446,7 +2446,7 @@ }, { "schemaRef": "#/components/schemas/UpdateUserToGroupBean", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "UpdateUserToGroupBean" }, { @@ -2516,7 +2516,7 @@ }, { "schemaRef": "#/components/schemas/Version", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "Version" }, { @@ -2526,7 +2526,7 @@ }, { "schemaRef": "#/components/schemas/VersionIssuesStatus", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "VersionIssuesStatus" }, { @@ -2671,7 +2671,7 @@ }, { "schemaRef": "#/components/schemas/WorkflowTransitionProperty", - "requiresRelaxedTypeJsDocTag": false, + "requiresRelaxedTypeJsDocTag": true, "typeName": "WorkflowTransitionProperty" }, { diff --git a/tests/test-data/golden-files/1password b/tests/test-data/golden-files/1password index 9b8a11f..5eca6a1 100644 --- a/tests/test-data/golden-files/1password +++ b/tests/test-data/golden-files/1password @@ -17,6 +17,7 @@ const api = new Api({ /** * Retrieve a list of API Requests that have been made. * @request GET :/activity + * @allowrelaxedtypes * @readonly */ export async function getActivityGetApiActivity( @@ -109,6 +110,7 @@ export async function getMetricsGetPrometheusMetrics( /** * Get all Vaults * @request GET :/vaults + * @allowrelaxedtypes * @readonly */ export async function getVaultsGetVaults( @@ -134,6 +136,7 @@ export async function getVaultsGetVaults( /** * Get Vault details and metadata * @request GET :/vaults/{vaultUuid} + * @allowrelaxedtypes * @readonly */ export async function getVaultsGetVaultById( @@ -157,6 +160,7 @@ export async function getVaultsGetVaultById( /** * Get all items for inside a Vault * @request GET :/vaults/{vaultUuid}/items + * @allowrelaxedtypes * @readonly */ export async function getVaultsGetVaultItems( @@ -236,6 +240,7 @@ export async function deleteVaultsDeleteVaultItem( /** * Get the details of an Item * @request GET :/vaults/{vaultUuid}/items/{itemUuid} + * @allowrelaxedtypes * @readonly */ export async function getVaultsGetVaultItemById( diff --git a/tests/test-data/golden-files/amazon-workspaces b/tests/test-data/golden-files/amazon-workspaces index f73b04d..baae1c7 100644 --- a/tests/test-data/golden-files/amazon-workspaces +++ b/tests/test-data/golden-files/amazon-workspaces @@ -299,6 +299,7 @@ export async function postXAmzTargetWorkspacesServiceCreateIpGroupCreateIpGroup( /** * @request POST :/#X-Amz-Target=WorkspacesService.CreateStandbyWorkspaces + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceCreateStandbyWorkspacesCreateStandbyWorkspaces( /** Request body */ @@ -393,6 +394,7 @@ export async function postXAmzTargetWorkspacesServiceCreateWorkspaceBundleCreate /** * @request POST :/#X-Amz-Target=WorkspacesService.CreateWorkspaceImage + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceCreateWorkspaceImageCreateWorkspaceImage( /** Request body */ @@ -628,6 +630,7 @@ export async function postXAmzTargetWorkspacesServiceDeregisterWorkspaceDirector /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeAccount + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeAccountDescribeAccount( /** Request body */ @@ -650,6 +653,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeAccountDescribeAcco /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeAccountModifications + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeAccountModificationsDescribeAccountModifications( /** Request body */ @@ -698,6 +702,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeClientBrandingDescr /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeClientProperties + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeClientPropertiesDescribeClientProperties( /** Request body */ @@ -770,6 +775,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeConnectionAliasPerm /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeConnectionAliases + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeConnectionAliasesDescribeConnectionAliases( /** Request body */ @@ -839,6 +845,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeTagsDescribeTags( /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeWorkspaceBundles + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeWorkspaceBundlesDescribeWorkspaceBundles( query: { @@ -868,6 +875,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeWorkspaceBundlesDes /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeWorkspaceDirectories + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeWorkspaceDirectoriesDescribeWorkspaceDirectories( query: { @@ -970,6 +978,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeWorkspaceSnapshotsD /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeWorkspaces + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeWorkspacesDescribeWorkspaces( query: { @@ -999,6 +1008,7 @@ export async function postXAmzTargetWorkspacesServiceDescribeWorkspacesDescribeW /** * @request POST :/#X-Amz-Target=WorkspacesService.DescribeWorkspacesConnectionStatus + * @allowrelaxedtypes */ export async function postXAmzTargetWorkspacesServiceDescribeWorkspacesConnectionStatusDescribeWorkspacesConnectionStatus( /** Request body */ diff --git a/tests/test-data/golden-files/apideck-crm b/tests/test-data/golden-files/apideck-crm index 03f139f..bc44453 100644 --- a/tests/test-data/golden-files/apideck-crm +++ b/tests/test-data/golden-files/apideck-crm @@ -67,6 +67,7 @@ const api = new Api({ /** * List activities * @request GET :/crm/activities + * @allowrelaxedtypes * @readonly */ export async function getCrmActivitiesAll( @@ -155,6 +156,7 @@ export async function deleteCrmActivitiesDelete( /** * Get activity * @request GET :/crm/activities/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmActivitiesOne( @@ -304,6 +306,7 @@ export async function deleteCrmCompaniesDelete( /** * Get company * @request GET :/crm/companies/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmCompaniesOne( @@ -453,6 +456,7 @@ export async function deleteCrmContactsDelete( /** * Get contact * @request GET :/crm/contacts/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmContactsOne( @@ -602,6 +606,7 @@ export async function deleteCrmLeadsDelete( /** * Get lead * @request GET :/crm/leads/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmLeadsOne( @@ -893,6 +898,7 @@ export async function deleteCrmOpportunitiesDelete( /** * Get opportunity * @request GET :/crm/opportunities/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmOpportunitiesOne( @@ -952,6 +958,7 @@ export async function patchCrmOpportunitiesUpdate( /** * List pipelines * @request GET :/crm/pipelines + * @allowrelaxedtypes * @readonly */ export async function getCrmPipelinesAll( @@ -1037,6 +1044,7 @@ export async function deleteCrmPipelinesDelete( /** * Get pipeline * @request GET :/crm/pipelines/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmPipelinesOne( @@ -1096,6 +1104,7 @@ export async function patchCrmPipelinesUpdate( /** * List users * @request GET :/crm/users + * @allowrelaxedtypes * @readonly */ export async function getCrmUsersAll( @@ -1181,6 +1190,7 @@ export async function deleteCrmUsersDelete( /** * Get user * @request GET :/crm/users/{id} + * @allowrelaxedtypes * @readonly */ export async function getCrmUsersOne( diff --git a/tests/test-data/golden-files/apple-store-connect b/tests/test-data/golden-files/apple-store-connect index 85d5042..e9eda73 100644 --- a/tests/test-data/golden-files/apple-store-connect +++ b/tests/test-data/golden-files/apple-store-connect @@ -1275,6 +1275,7 @@ export async function getV1AppPreviewSetsAppPreviewsGetToManyRelated( /** * @request GET :/v1/appPreviewSets/{id}/relationships/appPreviews + * @allowrelaxedtypes * @readonly */ export async function getV1AppPreviewSetsAppPreviewsGetToManyRelationship( @@ -1512,6 +1513,7 @@ export async function getV1AppPricePointsGetInstance( /** * @request GET :/v1/appPricePoints/{id}/territory + * @allowrelaxedtypes * @readonly */ export async function getV1AppPricePointsTerritoryGetToOneRelated( @@ -1823,6 +1825,7 @@ export async function getV1AppScreenshotSetsAppScreenshotsGetToManyRelated( /** * @request GET :/v1/appScreenshotSets/{id}/relationships/appScreenshots + * @allowrelaxedtypes * @readonly */ export async function getV1AppScreenshotSetsAppScreenshotsGetToManyRelationship( @@ -3198,6 +3201,7 @@ export async function getV1AppStoreVersionsIdfaDeclarationGetToOneRelated( /** * @request GET :/v1/appStoreVersions/{id}/relationships/build + * @allowrelaxedtypes * @readonly */ export async function getV1AppStoreVersionsBuildGetToOneRelationship( @@ -4118,6 +4122,7 @@ export async function getV1AppsAppStoreVersionsGetToManyRelated( /** * @request GET :/v1/apps/{id}/availableTerritories + * @allowrelaxedtypes * @readonly */ export async function getV1AppsAvailableTerritoriesGetToManyRelated( @@ -6061,6 +6066,7 @@ export async function deleteV1BetaGroupsBetaTestersDeleteToManyRelationship( /** * @request GET :/v1/betaGroups/{id}/relationships/betaTesters + * @allowrelaxedtypes * @readonly */ export async function getV1BetaGroupsBetaTestersGetToManyRelationship( @@ -6136,6 +6142,7 @@ export async function deleteV1BetaGroupsBuildsDeleteToManyRelationship( /** * @request GET :/v1/betaGroups/{id}/relationships/builds + * @allowrelaxedtypes * @readonly */ export async function getV1BetaGroupsBuildsGetToManyRelationship( @@ -6852,6 +6859,7 @@ export async function deleteV1BetaTestersAppsDeleteToManyRelationship( /** * @request GET :/v1/betaTesters/{id}/relationships/apps + * @allowrelaxedtypes * @readonly */ export async function getV1BetaTestersAppsGetToManyRelationship( @@ -6903,6 +6911,7 @@ export async function deleteV1BetaTestersBetaGroupsDeleteToManyRelationship( /** * @request GET :/v1/betaTesters/{id}/relationships/betaGroups + * @allowrelaxedtypes * @readonly */ export async function getV1BetaTestersBetaGroupsGetToManyRelationship( @@ -6978,6 +6987,7 @@ export async function deleteV1BetaTestersBuildsDeleteToManyRelationship( /** * @request GET :/v1/betaTesters/{id}/relationships/builds + * @allowrelaxedtypes * @readonly */ export async function getV1BetaTestersBuildsGetToManyRelationship( @@ -8059,6 +8069,7 @@ export async function getV1BuildsPreReleaseVersionGetToOneRelated( /** * @request GET :/v1/builds/{id}/relationships/appEncryptionDeclaration + * @allowrelaxedtypes * @readonly */ export async function getV1BuildsAppEncryptionDeclarationGetToOneRelationship( @@ -8181,6 +8192,7 @@ export async function deleteV1BuildsIndividualTestersDeleteToManyRelationship( /** * @request GET :/v1/builds/{id}/relationships/individualTesters + * @allowrelaxedtypes * @readonly */ export async function getV1BuildsIndividualTestersGetToManyRelationship( @@ -8974,6 +8986,7 @@ export async function patchV1DevicesUpdateInstance( /** * @request GET :/v1/diagnosticSignatures/{id}/logs + * @allowrelaxedtypes * @readonly */ export async function getV1DiagnosticSignaturesLogsGetToManyRelated( @@ -9105,6 +9118,7 @@ export async function patchV1EndUserLicenseAgreementsUpdateInstance( /** * @request GET :/v1/endUserLicenseAgreements/{id}/territories + * @allowrelaxedtypes * @readonly */ export async function getV1EndUserLicenseAgreementsTerritoriesGetToManyRelated( @@ -9269,6 +9283,7 @@ export async function deleteV1GameCenterEnabledVersionsCompatibleVersionsDeleteT /** * @request GET :/v1/gameCenterEnabledVersions/{id}/relationships/compatibleVersions + * @allowrelaxedtypes * @readonly */ export async function getV1GameCenterEnabledVersionsCompatibleVersionsGetToManyRelationship( @@ -10238,6 +10253,7 @@ export async function getV1SalesReportsGetCollection( /** * @request GET :/v1/territories + * @allowrelaxedtypes * @readonly */ export async function getV1TerritoriesGetCollection( @@ -10739,6 +10755,7 @@ export async function deleteV1UsersVisibleAppsDeleteToManyRelationship( /** * @request GET :/v1/users/{id}/relationships/visibleApps + * @allowrelaxedtypes * @readonly */ export async function getV1UsersVisibleAppsGetToManyRelationship( diff --git a/tests/test-data/golden-files/atlassian-jira b/tests/test-data/golden-files/atlassian-jira index 731824c..215a9ba 100644 --- a/tests/test-data/golden-files/atlassian-jira +++ b/tests/test-data/golden-files/atlassian-jira @@ -306,6 +306,7 @@ const api = new Api({ /** * Get announcement banner configuration * @request GET :/rest/api/3/announcementBanner + * @allowrelaxedtypes * @readonly */ export async function getRestGetBanner( @@ -376,6 +377,7 @@ export async function postRestUpdateMultipleCustomFieldValues( /** * Get custom field configurations * @request GET :/rest/api/3/app/field/{fieldIdOrKey}/context/configuration + * @allowrelaxedtypes * @readonly */ export async function getRestGetCustomFieldConfiguration( @@ -590,6 +592,7 @@ export async function getRestGetApplicationRole( /** * Get attachment content * @request GET :/rest/api/3/attachment/content/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetAttachmentContent( @@ -638,6 +641,7 @@ export async function getRestGetAttachmentMeta( /** * Get attachment thumbnail * @request GET :/rest/api/3/attachment/thumbnail/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetAttachmentThumbnail( @@ -694,6 +698,7 @@ export async function deleteRestRemoveAttachment( /** * Get attachment metadata * @request GET :/rest/api/3/attachment/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetAttachment( @@ -820,6 +825,7 @@ export async function getRestGetAllSystemAvatars( /** * Get comments by IDs * @request POST :/rest/api/3/comment/list + * @allowrelaxedtypes */ export async function postRestGetCommentsByIds( query: { @@ -898,6 +904,7 @@ export async function deleteRestDeleteCommentProperty( /** * Get comment property * @request GET :/rest/api/3/comment/{commentId}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetCommentProperty( @@ -1002,6 +1009,7 @@ export async function deleteRestDeleteComponent( /** * Get component * @request GET :/rest/api/3/component/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetComponent( @@ -1074,6 +1082,7 @@ export async function getRestGetComponentRelatedIssues( /** * Get global settings * @request GET :/rest/api/3/configuration + * @allowrelaxedtypes * @readonly */ export async function getRestGetConfiguration( @@ -1156,6 +1165,7 @@ export async function getRestGetAvailableTimeTrackingImplementations( /** * Get time tracking settings * @request GET :/rest/api/3/configuration/timetracking/options + * @allowrelaxedtypes * @readonly */ export async function getRestGetSharedTimeTrackingConfiguration( @@ -1378,6 +1388,7 @@ export async function getRestGetDashboardsPaginated( /** * Get gadgets * @request GET :/rest/api/3/dashboard/{dashboardId}/gadget + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllGadgets( @@ -1410,6 +1421,7 @@ export async function getRestGetAllGadgets( /** * Add gadget to dashboard * @request POST :/rest/api/3/dashboard/{dashboardId}/gadget + * @allowrelaxedtypes */ export async function postRestAddGadget( /** The ID of the dashboard. */ @@ -1542,6 +1554,7 @@ export async function deleteRestDeleteDashboardItemProperty( /** * Get dashboard item property * @request GET :/rest/api/3/dashboard/{dashboardId}/items/{itemId}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetDashboardItemProperty( @@ -1624,6 +1637,7 @@ export async function deleteRestDeleteDashboard( /** * Get dashboard * @request GET :/rest/api/3/dashboard/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetDashboard( @@ -1778,6 +1792,7 @@ export async function postRestEvaluateJiraExpression( /** * Get fields * @request GET :/rest/api/3/field + * @allowrelaxedtypes * @readonly */ export async function getRestGetFields( @@ -2491,6 +2506,7 @@ export async function postRestRemoveCustomFieldContextFromProjects( /** * Get contexts for a field * @request GET :/rest/api/3/field/{fieldId}/contexts + * @allowrelaxedtypes * @readonly */ export async function getRestGetContextsForFieldDeprecated( @@ -2521,6 +2537,7 @@ export async function getRestGetContextsForFieldDeprecated( /** * Get screens for a field * @request GET :/rest/api/3/field/{fieldId}/screens + * @allowrelaxedtypes * @readonly */ export async function getRestGetScreensForField( @@ -2553,6 +2570,7 @@ export async function getRestGetScreensForField( /** * Get all issue field options * @request GET :/rest/api/3/field/{fieldKey}/option + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllIssueFieldOptions( @@ -2615,6 +2633,7 @@ export async function postRestCreateIssueFieldOption( /** * Get selectable issue field options * @request GET :/rest/api/3/field/{fieldKey}/option/suggestions/edit + * @allowrelaxedtypes * @readonly */ export async function getRestGetSelectableIssueFieldOptions( @@ -2650,6 +2669,7 @@ export async function getRestGetSelectableIssueFieldOptions( /** * Get visible issue field options * @request GET :/rest/api/3/field/{fieldKey}/option/suggestions/search + * @allowrelaxedtypes * @readonly */ export async function getRestGetVisibleIssueFieldOptions( @@ -2713,6 +2733,7 @@ export async function deleteRestDeleteIssueFieldOption( /** * Get issue field option * @request GET :/rest/api/3/field/{fieldKey}/option/{optionId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueFieldOption( @@ -3265,6 +3286,7 @@ export async function postRestRemoveIssueTypesFromGlobalFieldConfigurationScheme /** * Get filters * @request GET :/rest/api/3/filter + * @allowrelaxedtypes * @readonly */ export async function getRestGetFilters( @@ -3326,6 +3348,7 @@ export async function postRestCreateFilter( /** * Get default share scope * @request GET :/rest/api/3/filter/defaultShareScope + * @allowrelaxedtypes * @readonly */ export async function getRestGetDefaultShareScope( @@ -3369,6 +3392,7 @@ export async function putRestSetDefaultShareScope( /** * Get favorite filters * @request GET :/rest/api/3/filter/favourite + * @allowrelaxedtypes * @readonly */ export async function getRestGetFavouriteFilters( @@ -3397,6 +3421,7 @@ export async function getRestGetFavouriteFilters( /** * Get my filters * @request GET :/rest/api/3/filter/my + * @allowrelaxedtypes * @readonly */ export async function getRestGetMyFilters( @@ -3538,6 +3563,7 @@ export async function deleteRestDeleteFilter( /** * Get filter * @request GET :/rest/api/3/filter/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetFilter( @@ -3677,6 +3703,7 @@ export async function putRestSetColumns( /** * Remove filter as favorite * @request DELETE :/rest/api/3/filter/{id}/favourite + * @allowrelaxedtypes */ export async function deleteRestDeleteFavouriteForFilter( /** The ID of the filter. */ @@ -3707,6 +3734,7 @@ export async function deleteRestDeleteFavouriteForFilter( /** * Add filter as favorite * @request PUT :/rest/api/3/filter/{id}/favourite + * @allowrelaxedtypes */ export async function putRestSetFavouriteForFilter( /** The ID of the filter. */ @@ -3762,6 +3790,7 @@ export async function putRestChangeFilterOwner( /** * Get share permissions * @request GET :/rest/api/3/filter/{id}/permission + * @allowrelaxedtypes * @readonly */ export async function getRestGetSharePermissions( @@ -3836,6 +3865,7 @@ export async function deleteRestDeleteSharePermission( /** * Get share permission * @request GET :/rest/api/3/filter/{id}/permission/{permissionId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetSharePermission( @@ -3922,6 +3952,7 @@ The name of the group. This parameter cannot be used with the `groupId` paramete /** * Create group * @request POST :/rest/api/3/group + * @allowrelaxedtypes */ export async function postRestCreateGroup( /** Request body */ @@ -4044,6 +4075,7 @@ The name of the group. This parameter cannot be used with the `groupId` paramete /** * Add user to group * @request POST :/rest/api/3/group/user + * @allowrelaxedtypes */ export async function postRestAddUserToGroup( query: { @@ -4074,6 +4106,7 @@ The name of the group. This parameter cannot be used with the `groupId` paramete /** * Find groups * @request GET :/rest/api/3/groups/picker + * @allowrelaxedtypes * @readonly */ export async function getRestFindGroups( @@ -4175,6 +4208,7 @@ export async function getRestFindUsersAndGroups( /** * Get license * @request GET :/rest/api/3/instance/license + * @allowrelaxedtypes * @readonly */ export async function getRestGetLicense( @@ -4246,6 +4280,7 @@ export async function postRestCreateIssues( /** * Get create issue metadata * @request GET :/rest/api/3/issue/createmeta + * @allowrelaxedtypes * @readonly */ export async function getRestGetCreateIssueMeta( @@ -4460,6 +4495,7 @@ export async function deleteRestDeleteIssue( /** * Get issue * @request GET :/rest/api/3/issue/{issueIdOrKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssue( @@ -4590,6 +4626,7 @@ export async function putRestAssignIssue( /** * Add attachment * @request POST :/rest/api/3/issue/{issueIdOrKey}/attachments + * @allowrelaxedtypes */ export async function postRestAddAttachment( /** The ID or key of the issue that attachments are added to. */ @@ -4615,6 +4652,7 @@ export async function postRestAddAttachment( /** * Get changelogs * @request GET :/rest/api/3/issue/{issueIdOrKey}/changelog + * @allowrelaxedtypes * @readonly */ export async function getRestGetChangeLogs( @@ -4645,6 +4683,7 @@ export async function getRestGetChangeLogs( /** * Get changelogs by IDs * @request POST :/rest/api/3/issue/{issueIdOrKey}/changelog/list + * @allowrelaxedtypes */ export async function postRestGetChangeLogsByIds( /** The ID or key of the issue. */ @@ -4761,6 +4800,7 @@ export async function deleteRestDeleteComment( /** * Get comment * @request GET :/rest/api/3/issue/{issueIdOrKey}/comment/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetComment( @@ -4860,6 +4900,7 @@ export async function getRestGetEditIssueMeta( /** * Send notification for issue * @request POST :/rest/api/3/issue/{issueIdOrKey}/notify + * @allowrelaxedtypes */ export async function postRestNotify( /** ID or key of the issue that the notification is sent for. */ @@ -4933,6 +4974,7 @@ export async function deleteRestDeleteIssueProperty( /** * Get issue property * @request GET :/rest/api/3/issue/{issueIdOrKey}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueProperty( @@ -5014,6 +5056,7 @@ export async function deleteRestDeleteRemoteIssueLinkByGlobalId( /** * Get remote issue links * @request GET :/rest/api/3/issue/{issueIdOrKey}/remotelink + * @allowrelaxedtypes * @readonly */ export async function getRestGetRemoteIssueLinks( @@ -5042,6 +5085,7 @@ export async function getRestGetRemoteIssueLinks( /** * Create or update remote issue link * @request POST :/rest/api/3/issue/{issueIdOrKey}/remotelink + * @allowrelaxedtypes */ export async function postRestCreateOrUpdateRemoteIssueLink( /** The ID or key of the issue. */ @@ -5092,6 +5136,7 @@ export async function deleteRestDeleteRemoteIssueLinkById( /** * Get remote issue link by ID * @request GET :/rest/api/3/issue/{issueIdOrKey}/remotelink/{linkId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetRemoteIssueLinkById( @@ -5118,6 +5163,7 @@ export async function getRestGetRemoteIssueLinkById( /** * Update remote issue link by ID * @request PUT :/rest/api/3/issue/{issueIdOrKey}/remotelink/{linkId} + * @allowrelaxedtypes */ export async function putRestUpdateRemoteIssueLink( /** The ID or key of the issue. */ @@ -5146,6 +5192,7 @@ export async function putRestUpdateRemoteIssueLink( /** * Get transitions * @request GET :/rest/api/3/issue/{issueIdOrKey}/transitions + * @allowrelaxedtypes * @readonly */ export async function getRestGetTransitions( @@ -5230,6 +5277,7 @@ export async function deleteRestRemoveVote( /** * Get votes * @request GET :/rest/api/3/issue/{issueIdOrKey}/votes + * @allowrelaxedtypes * @readonly */ export async function getRestGetVotes( @@ -5352,6 +5400,7 @@ export async function postRestAddWatcher( /** * Get issue worklogs * @request GET :/rest/api/3/issue/{issueIdOrKey}/worklog + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueWorklog( @@ -5478,6 +5527,7 @@ export async function deleteRestDeleteWorklog( /** * Get worklog * @request GET :/rest/api/3/issue/{issueIdOrKey}/worklog/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetWorklog( @@ -5611,6 +5661,7 @@ export async function deleteRestDeleteWorklogProperty( /** * Get worklog property * @request GET :/rest/api/3/issue/{issueIdOrKey}/worklog/{worklogId}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetWorklogProperty( @@ -5716,6 +5767,7 @@ export async function deleteRestDeleteIssueLink( /** * Get issue link * @request GET :/rest/api/3/issueLink/{linkId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueLink( @@ -5934,6 +5986,7 @@ export async function getRestGetIssueSecurityLevelMembers( /** * Get all issue types for user * @request GET :/rest/api/3/issuetype + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueAllTypes( @@ -5977,6 +6030,7 @@ export async function postRestCreateIssueType( /** * Get issue types for project * @request GET :/rest/api/3/issuetype/project + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueTypesForProject( @@ -6035,6 +6089,7 @@ export async function deleteRestDeleteIssueType( /** * Get issue type * @request GET :/rest/api/3/issuetype/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueType( @@ -6058,6 +6113,7 @@ export async function getRestGetIssueType( /** * Update issue type * @request PUT :/rest/api/3/issuetype/{id} + * @allowrelaxedtypes */ export async function putRestUpdateIssueType( /** The ID of the issue type. */ @@ -6083,6 +6139,7 @@ export async function putRestUpdateIssueType( /** * Get alternative issue types * @request GET :/rest/api/3/issuetype/{id}/alternatives + * @allowrelaxedtypes * @readonly */ export async function getRestGetAlternativeIssueTypes( @@ -6106,6 +6163,7 @@ export async function getRestGetAlternativeIssueTypes( /** * Load issue type avatar * @request POST :/rest/api/3/issuetype/{id}/avatar2 + * @allowrelaxedtypes */ export async function postRestCreateIssueTypeAvatar( /** The ID of the issue type. */ @@ -6188,6 +6246,7 @@ export async function deleteRestDeleteIssueTypeProperty( /** * Get issue type property * @request GET :/rest/api/3/issuetype/{issueTypeId}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetIssueTypeProperty( @@ -6772,6 +6831,7 @@ export async function postRestRemoveMappingsFromIssueTypeScreenScheme( /** * Get issue type screen scheme projects * @request GET :/rest/api/3/issuetypescreenscheme/{issueTypeScreenSchemeId}/project + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectsForIssueTypeScreenScheme( @@ -6803,6 +6863,7 @@ export async function getRestGetProjectsForIssueTypeScreenScheme( /** * Get field reference data (GET) * @request GET :/rest/api/3/jql/autocompletedata + * @allowrelaxedtypes * @readonly */ export async function getRestGetAutoComplete( @@ -6823,6 +6884,7 @@ export async function getRestGetAutoComplete( /** * Get field reference data (POST) * @request POST :/rest/api/3/jql/autocompletedata + * @allowrelaxedtypes */ export async function postRestGetAutoCompletePost( /** Request body */ @@ -7267,6 +7329,7 @@ export async function putRestSetLocale( /** * Get current user * @request GET :/rest/api/3/myself + * @allowrelaxedtypes * @readonly */ export async function getRestGetCurrentUser( @@ -7295,6 +7358,7 @@ export async function getRestGetCurrentUser( /** * Get notification schemes paginated * @request GET :/rest/api/3/notificationscheme + * @allowrelaxedtypes * @readonly */ export async function getRestGetNotificationSchemes( @@ -7337,6 +7401,7 @@ export async function getRestGetNotificationSchemes( /** * Create notification scheme * @request POST :/rest/api/3/notificationscheme + * @allowrelaxedtypes */ export async function postRestCreateNotificationScheme( /** Request body */ @@ -7390,6 +7455,7 @@ export async function getRestGetNotificationSchemeToProjectMappings( /** * Get notification scheme * @request GET :/rest/api/3/notificationscheme/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetNotificationScheme( @@ -7425,6 +7491,7 @@ export async function getRestGetNotificationScheme( /** * Update notification scheme * @request PUT :/rest/api/3/notificationscheme/{id} + * @allowrelaxedtypes */ export async function putRestUpdateNotificationScheme( /** The ID of the notification scheme. */ @@ -7450,6 +7517,7 @@ export async function putRestUpdateNotificationScheme( /** * Add notifications to notification scheme * @request PUT :/rest/api/3/notificationscheme/{id}/notification + * @allowrelaxedtypes */ export async function putRestAddNotifications( /** The ID of the notification scheme. */ @@ -7586,6 +7654,7 @@ export async function postRestGetPermittedProjects( /** * Get all permission schemes * @request GET :/rest/api/3/permissionscheme + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllPermissionSchemes( @@ -7675,6 +7744,7 @@ export async function deleteRestDeletePermissionScheme( /** * Get permission scheme * @request GET :/rest/api/3/permissionscheme/{schemeId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetPermissionScheme( @@ -7883,6 +7953,7 @@ export async function getRestGetPermissionSchemeGrant( /** * Get priorities * @request GET :/rest/api/3/priority + * @allowrelaxedtypes * @readonly */ export async function getRestGetPriorities( @@ -7970,6 +8041,7 @@ export async function putRestMovePriorities( /** * Search priorities * @request GET :/rest/api/3/priority/search + * @allowrelaxedtypes * @readonly */ export async function getRestSearchPriorities( @@ -8028,6 +8100,7 @@ export async function deleteRestDeletePriority( /** * Get priority * @request GET :/rest/api/3/priority/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetPriority( @@ -8077,6 +8150,7 @@ export async function putRestUpdatePriority( /** * Get all projects * @request GET :/rest/api/3/project + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllProjects( @@ -8134,6 +8208,7 @@ export async function postRestCreateProject( /** * Get recent projects * @request GET :/rest/api/3/project/recent + * @allowrelaxedtypes * @readonly */ export async function getRestGetRecent( @@ -8398,6 +8473,7 @@ export async function deleteRestDeleteProject( /** * Get project * @request GET :/rest/api/3/project/{projectIdOrKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetProject( @@ -8492,6 +8568,7 @@ export async function postRestArchiveProject( /** * Set project avatar * @request PUT :/rest/api/3/project/{projectIdOrKey}/avatar + * @allowrelaxedtypes */ export async function putRestUpdateProjectAvatar( /** The ID or (case-sensitive) key of the project. */ @@ -8542,6 +8619,7 @@ export async function deleteRestDeleteProjectAvatar( /** * Load project avatar * @request POST :/rest/api/3/project/{projectIdOrKey}/avatar2 + * @allowrelaxedtypes */ export async function postRestCreateProjectAvatar( /** The ID or (case-sensitive) key of the project. */ @@ -8576,6 +8654,7 @@ export async function postRestCreateProjectAvatar( /** * Get all project avatars * @request GET :/rest/api/3/project/{projectIdOrKey}/avatars + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllProjectAvatars( @@ -8651,6 +8730,7 @@ export async function getRestGetProjectComponentsPaginated( /** * Get project components * @request GET :/rest/api/3/project/{projectIdOrKey}/components + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectComponents( @@ -8696,6 +8776,7 @@ export async function postRestDeleteProjectAsynchronously( /** * Get project features * @request GET :/rest/api/3/project/{projectIdOrKey}/features + * @allowrelaxedtypes * @readonly */ export async function getRestGetFeaturesForProject( @@ -8796,6 +8877,7 @@ export async function deleteRestDeleteProjectProperty( /** * Get project property * @request GET :/rest/api/3/project/{projectIdOrKey}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectProperty( @@ -8850,6 +8932,7 @@ export async function putRestSetProjectProperty( /** * Restore deleted or archived project * @request POST :/rest/api/3/project/{projectIdOrKey}/restore + * @allowrelaxedtypes */ export async function postRestRestore( /** The project ID or project key (case sensitive). */ @@ -8872,6 +8955,7 @@ export async function postRestRestore( /** * Get project roles for project * @request GET :/rest/api/3/project/{projectIdOrKey}/role + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectRoles( @@ -8929,6 +9013,7 @@ export async function deleteRestDeleteActor( /** * Get project role for project * @request GET :/rest/api/3/project/{projectIdOrKey}/role/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectRole( @@ -8960,6 +9045,7 @@ export async function getRestGetProjectRole( /** * Add actors to project role * @request POST :/rest/api/3/project/{projectIdOrKey}/role/{id} + * @allowrelaxedtypes */ export async function postRestAddActorUsers( /** The project ID or project key (case sensitive). */ @@ -8988,6 +9074,7 @@ export async function postRestAddActorUsers( /** * Set actors for project role * @request PUT :/rest/api/3/project/{projectIdOrKey}/role/{id} + * @allowrelaxedtypes */ export async function putRestSetActors( /** The project ID or project key (case sensitive). */ @@ -9016,6 +9103,7 @@ export async function putRestSetActors( /** * Get project role details * @request GET :/rest/api/3/project/{projectIdOrKey}/roledetails + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectRoleDetails( @@ -9045,6 +9133,7 @@ export async function getRestGetProjectRoleDetails( /** * Get all statuses for project * @request GET :/rest/api/3/project/{projectIdOrKey}/statuses + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllStatuses( @@ -9157,6 +9246,7 @@ export async function getRestGetProjectVersionsPaginated( /** * Get project versions * @request GET :/rest/api/3/project/{projectIdOrKey}/versions + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectVersions( @@ -9279,6 +9369,7 @@ export async function getRestGetProjectIssueSecurityScheme( /** * Get project notification scheme * @request GET :/rest/api/3/project/{projectKeyOrId}/notificationscheme + * @allowrelaxedtypes * @readonly */ export async function getRestGetNotificationSchemeForProject( @@ -9314,6 +9405,7 @@ export async function getRestGetNotificationSchemeForProject( /** * Get assigned permission scheme * @request GET :/rest/api/3/project/{projectKeyOrId}/permissionscheme + * @allowrelaxedtypes * @readonly */ export async function getRestGetAssignedPermissionScheme( @@ -9349,6 +9441,7 @@ export async function getRestGetAssignedPermissionScheme( /** * Assign permission scheme * @request PUT :/rest/api/3/project/{projectKeyOrId}/permissionscheme + * @allowrelaxedtypes */ export async function putRestAssignPermissionScheme( /** The project ID or project key (case sensitive). */ @@ -9615,6 +9708,7 @@ export async function getRestGetResolutions( /** * Create resolution * @request POST :/rest/api/3/resolution + * @allowrelaxedtypes */ export async function postRestCreateResolution( /** Request body */ @@ -9762,6 +9856,7 @@ export async function getRestGetResolution( /** * Update resolution * @request PUT :/rest/api/3/resolution/{id} + * @allowrelaxedtypes */ export async function putRestUpdateResolution( /** The ID of the issue resolution. */ @@ -9787,6 +9882,7 @@ export async function putRestUpdateResolution( /** * Get all project roles * @request GET :/rest/api/3/role + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllProjectRoles( @@ -9807,6 +9903,7 @@ export async function getRestGetAllProjectRoles( /** * Create project role * @request POST :/rest/api/3/role + * @allowrelaxedtypes */ export async function postRestCreateProjectRole( /** Request body */ @@ -9856,6 +9953,7 @@ export async function deleteRestDeleteProjectRole( /** * Get project role by ID * @request GET :/rest/api/3/role/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectRoleById( @@ -9879,6 +9977,7 @@ export async function getRestGetProjectRoleById( /** * Partial update project role * @request POST :/rest/api/3/role/{id} + * @allowrelaxedtypes */ export async function postRestPartialUpdateProjectRole( /** The ID of the project role. Use [Get all project roles](#api-rest-api-3-role-get) to get a list of project role IDs. */ @@ -9904,6 +10003,7 @@ export async function postRestPartialUpdateProjectRole( /** * Fully update project role * @request PUT :/rest/api/3/role/{id} + * @allowrelaxedtypes */ export async function putRestFullyUpdateProjectRole( /** The ID of the project role. Use [Get all project roles](#api-rest-api-3-role-get) to get a list of project role IDs. */ @@ -9929,6 +10029,7 @@ export async function putRestFullyUpdateProjectRole( /** * Delete default actors from project role * @request DELETE :/rest/api/3/role/{id}/actors + * @allowrelaxedtypes */ export async function deleteRestDeleteProjectRoleActorsFromRole( /** The ID of the project role. Use [Get all project roles](#api-rest-api-3-role-get) to get a list of project role IDs. */ @@ -9960,6 +10061,7 @@ export async function deleteRestDeleteProjectRoleActorsFromRole( /** * Get default actors for project role * @request GET :/rest/api/3/role/{id}/actors + * @allowrelaxedtypes * @readonly */ export async function getRestGetProjectRoleActorsForRole( @@ -9983,6 +10085,7 @@ export async function getRestGetProjectRoleActorsForRole( /** * Add default actors to project role * @request POST :/rest/api/3/role/{id}/actors + * @allowrelaxedtypes */ export async function postRestAddProjectRoleActorsToRole( /** The ID of the project role. Use [Get all project roles](#api-rest-api-3-role-get) to get a list of project role IDs. */ @@ -10047,6 +10150,7 @@ export async function getRestGetScreens( /** * Create screen * @request POST :/rest/api/3/screens + * @allowrelaxedtypes */ export async function postRestCreateScreen( /** Request body */ @@ -10113,6 +10217,7 @@ export async function deleteRestDeleteScreen( /** * Update screen * @request PUT :/rest/api/3/screens/{screenId} + * @allowrelaxedtypes */ export async function putRestUpdateScreen( /** The ID of the screen. */ @@ -10705,6 +10810,7 @@ export async function putRestSetIssueNavigatorDefaultColumns( /** * Get all statuses * @request GET :/rest/api/3/status + * @allowrelaxedtypes * @readonly */ export async function getRestGetStatuses( @@ -10725,6 +10831,7 @@ export async function getRestGetStatuses( /** * Get status * @request GET :/rest/api/3/status/{idOrName} + * @allowrelaxedtypes * @readonly */ export async function getRestGetStatus( @@ -10748,6 +10855,7 @@ export async function getRestGetStatus( /** * Get all status categories * @request GET :/rest/api/3/statuscategory + * @allowrelaxedtypes * @readonly */ export async function getRestGetStatusCategories( @@ -10768,6 +10876,7 @@ export async function getRestGetStatusCategories( /** * Get status category * @request GET :/rest/api/3/statuscategory/{idOrKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetStatusCategory( @@ -10817,6 +10926,7 @@ Min items `1`, Max items `50` */ /** * Bulk get statuses * @request GET :/rest/api/3/statuses + * @allowrelaxedtypes * @readonly */ export async function getRestGetStatusesById( @@ -10894,6 +11004,7 @@ export async function putRestUpdateStatuses( /** * Search statuses paginated * @request GET :/rest/api/3/statuses/search + * @allowrelaxedtypes * @readonly */ export async function getRestSearch( @@ -10931,6 +11042,7 @@ export async function getRestSearch( /** * Get task * @request GET :/rest/api/3/task/{taskId} + * @allowrelaxedtypes * @readonly */ export async function getRestGetTask( @@ -11298,6 +11410,7 @@ export async function deleteRestRemoveUser( /** * Get user * @request GET :/rest/api/3/user + * @allowrelaxedtypes * @readonly */ export async function getRestGetUser( @@ -11332,6 +11445,7 @@ export async function getRestGetUser( /** * Create user * @request POST :/rest/api/3/user + * @allowrelaxedtypes */ export async function postRestCreateUser( /** Request body */ @@ -11354,6 +11468,7 @@ export async function postRestCreateUser( /** * Find users assignable to projects * @request GET :/rest/api/3/user/assignable/multiProjectSearch + * @allowrelaxedtypes * @readonly */ export async function getRestFindBulkAssignableUsers( @@ -11389,6 +11504,7 @@ export async function getRestFindBulkAssignableUsers( /** * Find users assignable to issues * @request GET :/rest/api/3/user/assignable/search + * @allowrelaxedtypes * @readonly */ export async function getRestFindAssignableUsers( @@ -11431,6 +11547,7 @@ export async function getRestFindAssignableUsers( /** * Bulk get users * @request GET :/rest/api/3/user/bulk + * @allowrelaxedtypes * @readonly */ export async function getRestBulkGetUsers( @@ -11575,6 +11692,7 @@ export async function putRestSetUserColumns( /** * Get user email * @request GET :/rest/api/3/user/email + * @allowrelaxedtypes * @readonly */ export async function getRestGetUserEmail( @@ -11600,6 +11718,7 @@ export async function getRestGetUserEmail( /** * Get user email bulk * @request GET :/rest/api/3/user/email/bulk + * @allowrelaxedtypes * @readonly */ export async function getRestGetUserEmailBulk( @@ -11654,6 +11773,7 @@ export async function getRestGetUserGroups( /** * Find users with permissions * @request GET :/rest/api/3/user/permission/search + * @allowrelaxedtypes * @readonly */ export async function getRestFindUsersWithAllPermissions( @@ -11825,6 +11945,7 @@ export async function deleteRestDeleteUserProperty( /** * Get user property * @request GET :/rest/api/3/user/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestGetUserProperty( @@ -11891,6 +12012,7 @@ export async function putRestSetUserProperty( /** * Find users * @request GET :/rest/api/3/user/search + * @allowrelaxedtypes * @readonly */ export async function getRestFindUsers( @@ -11925,6 +12047,7 @@ export async function getRestFindUsers( /** * Find users by query * @request GET :/rest/api/3/user/search/query + * @allowrelaxedtypes * @readonly */ export async function getRestFindUsersByQuery( @@ -11983,6 +12106,7 @@ export async function getRestFindUserKeysByQuery( /** * Find users with browse permission * @request GET :/rest/api/3/user/viewissue/search + * @allowrelaxedtypes * @readonly */ export async function getRestFindUsersWithBrowsePermission( @@ -12020,6 +12144,7 @@ export async function getRestFindUsersWithBrowsePermission( /** * Get all users default * @request GET :/rest/api/3/users + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllUsersDefault( @@ -12047,6 +12172,7 @@ export async function getRestGetAllUsersDefault( /** * Get all users * @request GET :/rest/api/3/users/search + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllUsers( @@ -12074,6 +12200,7 @@ export async function getRestGetAllUsers( /** * Create version * @request POST :/rest/api/3/version + * @allowrelaxedtypes */ export async function postRestCreateVersion( /** Request body */ @@ -12125,6 +12252,7 @@ export async function deleteRestDeleteVersion( /** * Get version * @request GET :/rest/api/3/version/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetVersion( @@ -12156,6 +12284,7 @@ export async function getRestGetVersion( /** * Update version * @request PUT :/rest/api/3/version/{id} + * @allowrelaxedtypes */ export async function putRestUpdateVersion( /** The ID of the version. */ @@ -12325,6 +12454,7 @@ export async function deleteRestDeleteWebhookById( /** * Get dynamic webhooks for app * @request GET :/rest/api/3/webhook + * @allowrelaxedtypes * @readonly */ export async function getRestGetDynamicWebhooksForApp( @@ -12424,6 +12554,7 @@ export async function putRestRefreshWebhooks( /** * Get all workflows * @request GET :/rest/api/3/workflow + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllWorkflows( @@ -12777,6 +12908,7 @@ export async function deleteRestDeleteInactiveWorkflow( /** * Get all workflow schemes * @request GET :/rest/api/3/workflowscheme + * @allowrelaxedtypes * @readonly */ export async function getRestGetAllWorkflowSchemes( @@ -12827,6 +12959,7 @@ export async function postRestCreateWorkflowScheme( /** * Get workflow scheme project associations * @request GET :/rest/api/3/workflowscheme/project + * @allowrelaxedtypes * @readonly */ export async function getRestGetWorkflowSchemeProjectAssociations( @@ -12896,6 +13029,7 @@ export async function deleteRestDeleteWorkflowScheme( /** * Get workflow scheme * @request GET :/rest/api/3/workflowscheme/{id} + * @allowrelaxedtypes * @readonly */ export async function getRestGetWorkflowScheme( @@ -12950,6 +13084,7 @@ export async function putRestUpdateWorkflowScheme( /** * Create draft workflow scheme * @request POST :/rest/api/3/workflowscheme/{id}/createdraft + * @allowrelaxedtypes */ export async function postRestCreateWorkflowSchemeDraftFromParent( /** The ID of the active workflow scheme that the draft is created from. */ @@ -12972,6 +13107,7 @@ export async function postRestCreateWorkflowSchemeDraftFromParent( /** * Delete default workflow * @request DELETE :/rest/api/3/workflowscheme/{id}/default + * @allowrelaxedtypes */ export async function deleteRestDeleteDefaultWorkflow( /** The ID of the workflow scheme. */ @@ -13027,6 +13163,7 @@ export async function getRestGetDefaultWorkflow( /** * Update default workflow * @request PUT :/rest/api/3/workflowscheme/{id}/default + * @allowrelaxedtypes */ export async function putRestUpdateDefaultWorkflow( /** The ID of the workflow scheme. */ @@ -13074,6 +13211,7 @@ export async function deleteRestDeleteWorkflowSchemeDraft( /** * Get draft workflow scheme * @request GET :/rest/api/3/workflowscheme/{id}/draft + * @allowrelaxedtypes * @readonly */ export async function getRestGetWorkflowSchemeDraft( @@ -13123,6 +13261,7 @@ export async function putRestUpdateWorkflowSchemeDraft( /** * Delete draft default workflow * @request DELETE :/rest/api/3/workflowscheme/{id}/draft/default + * @allowrelaxedtypes */ export async function deleteRestDeleteDraftDefaultWorkflow( /** The ID of the workflow scheme that the draft belongs to. */ @@ -13168,6 +13307,7 @@ export async function getRestGetDraftDefaultWorkflow( /** * Update draft default workflow * @request PUT :/rest/api/3/workflowscheme/{id}/draft/default + * @allowrelaxedtypes */ export async function putRestUpdateDraftDefaultWorkflow( /** The ID of the workflow scheme that the draft belongs to. */ @@ -13193,6 +13333,7 @@ export async function putRestUpdateDraftDefaultWorkflow( /** * Delete workflow for issue type in draft workflow scheme * @request DELETE :/rest/api/3/workflowscheme/{id}/draft/issuetype/{issueType} + * @allowrelaxedtypes */ export async function deleteRestDeleteWorkflowSchemeDraftIssueType( /** The ID of the workflow scheme that the draft belongs to. */ @@ -13244,6 +13385,7 @@ export async function getRestGetWorkflowSchemeDraftIssueType( /** * Set workflow for issue type in draft workflow scheme * @request PUT :/rest/api/3/workflowscheme/{id}/draft/issuetype/{issueType} + * @allowrelaxedtypes */ export async function putRestSetWorkflowSchemeDraftIssueType( /** The ID of the workflow scheme that the draft belongs to. */ @@ -13357,6 +13499,7 @@ export async function getRestGetDraftWorkflow( /** * Set issue types for workflow in workflow scheme * @request PUT :/rest/api/3/workflowscheme/{id}/draft/workflow + * @allowrelaxedtypes */ export async function putRestUpdateDraftWorkflowMapping( /** The ID of the workflow scheme that the draft belongs to. */ @@ -13387,6 +13530,7 @@ export async function putRestUpdateDraftWorkflowMapping( /** * Delete workflow for issue type in workflow scheme * @request DELETE :/rest/api/3/workflowscheme/{id}/issuetype/{issueType} + * @allowrelaxedtypes */ export async function deleteRestDeleteWorkflowSchemeIssueType( /** The ID of the workflow scheme. */ @@ -13448,6 +13592,7 @@ export async function getRestGetWorkflowSchemeIssueType( /** * Set workflow for issue type in workflow scheme * @request PUT :/rest/api/3/workflowscheme/{id}/issuetype/{issueType} + * @allowrelaxedtypes */ export async function putRestSetWorkflowSchemeIssueType( /** The ID of the workflow scheme. */ @@ -13535,6 +13680,7 @@ export async function getRestGetWorkflow( /** * Set issue types for workflow in workflow scheme * @request PUT :/rest/api/3/workflowscheme/{id}/workflow + * @allowrelaxedtypes */ export async function putRestUpdateWorkflowMapping( /** The ID of the workflow scheme. */ @@ -13565,6 +13711,7 @@ export async function putRestUpdateWorkflowMapping( /** * Get IDs of deleted worklogs * @request GET :/rest/api/3/worklog/deleted + * @allowrelaxedtypes * @readonly */ export async function getRestGetIdsOfWorklogsDeletedSince( @@ -13590,6 +13737,7 @@ export async function getRestGetIdsOfWorklogsDeletedSince( /** * Get worklogs * @request POST :/rest/api/3/worklog/list + * @allowrelaxedtypes */ export async function postRestGetWorklogsForIds( query: { @@ -13617,6 +13765,7 @@ export async function postRestGetWorklogsForIds( /** * Get IDs of updated worklogs * @request GET :/rest/api/3/worklog/updated + * @allowrelaxedtypes * @readonly */ export async function getRestGetIdsOfWorklogsModifiedSince( @@ -13693,6 +13842,7 @@ export async function deleteRestAddonPropertiesResourceDeleteAddonPropertyDelete /** * Get app property * @request GET :/rest/atlassian-connect/1/addons/{addonKey}/properties/{propertyKey} + * @allowrelaxedtypes * @readonly */ export async function getRestAddonPropertiesResourceGetAddonPropertyGet( diff --git a/tests/test-data/golden-files/aws-cloud-map b/tests/test-data/golden-files/aws-cloud-map index 2bcf1e1..903e41c 100644 --- a/tests/test-data/golden-files/aws-cloud-map +++ b/tests/test-data/golden-files/aws-cloud-map @@ -303,6 +303,7 @@ export async function postXAmzTargetRoute53AutoNamingV20170314GetInstancesHealth /** * @request POST :/#X-Amz-Target=Route53AutoNaming_v20170314.GetNamespace + * @allowrelaxedtypes */ export async function postXAmzTargetRoute53AutoNamingV20170314GetNamespaceGetNamespace( /** Request body */ @@ -325,6 +326,7 @@ export async function postXAmzTargetRoute53AutoNamingV20170314GetNamespaceGetNam /** * @request POST :/#X-Amz-Target=Route53AutoNaming_v20170314.GetOperation + * @allowrelaxedtypes */ export async function postXAmzTargetRoute53AutoNamingV20170314GetOperationGetOperation( /** Request body */ @@ -347,6 +349,7 @@ export async function postXAmzTargetRoute53AutoNamingV20170314GetOperationGetOpe /** * @request POST :/#X-Amz-Target=Route53AutoNaming_v20170314.GetService + * @allowrelaxedtypes */ export async function postXAmzTargetRoute53AutoNamingV20170314GetServiceGetService( /** Request body */ diff --git a/tests/test-data/golden-files/azure-alerts-management b/tests/test-data/golden-files/azure-alerts-management index 9d5dc1a..d275dd4 100644 --- a/tests/test-data/golden-files/azure-alerts-management +++ b/tests/test-data/golden-files/azure-alerts-management @@ -7,6 +7,7 @@ const api = new Api({ /** * @request GET :/subscriptions/{subscriptionId}/providers/microsoft.alertsManagement/smartDetectorAlertRules + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsSmartDetectorAlertRulesList( @@ -36,6 +37,7 @@ export async function getSubscriptionsSmartDetectorAlertRulesList( /** * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsSmartDetectorAlertRulesListByResourceGroup( @@ -98,6 +100,7 @@ export async function deleteSubscriptionsSmartDetectorAlertRulesDelete( /** * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName} + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsSmartDetectorAlertRulesGet( diff --git a/tests/test-data/golden-files/azure-application-insights b/tests/test-data/golden-files/azure-application-insights index 56b3cde..a1d546c 100644 --- a/tests/test-data/golden-files/azure-application-insights +++ b/tests/test-data/golden-files/azure-application-insights @@ -164,6 +164,7 @@ export async function getSubscriptionsEventsGet( /** * Retrieve metric metadata * @request GET :/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Insights/components/{applicationName}/metrics/metadata + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMetricsGetMetadata( diff --git a/tests/test-data/golden-files/circleci b/tests/test-data/golden-files/circleci index fe4a720..4f4db63 100644 --- a/tests/test-data/golden-files/circleci +++ b/tests/test-data/golden-files/circleci @@ -83,6 +83,7 @@ Set to "completed", "successful", "failed", "running", or defaults to no filter. /** * @request POST :/project/{username}/{project} + * @allowrelaxedtypes */ export async function postProjectProjectCreate( username: string, @@ -144,6 +145,7 @@ export async function deleteProjectBuildCacheDelete( /** * @request GET :/project/{username}/{project}/checkout-key + * @allowrelaxedtypes * @readonly */ export async function getProjectCheckoutKeyDetail( @@ -221,6 +223,7 @@ export async function deleteProjectCheckoutKeyDelete( /** * @request GET :/project/{username}/{project}/checkout-key/{fingerprint} + * @allowrelaxedtypes * @readonly */ export async function getProjectCheckoutKeyDetail2( @@ -372,6 +375,7 @@ export async function postProjectSshKeyCreate( /** * @request POST :/project/{username}/{project}/tree/{branch} + * @allowrelaxedtypes */ export async function postProjectTreeCreate( username: string, @@ -411,6 +415,7 @@ export async function postProjectTreeCreate( /** * @request GET :/project/{username}/{project}/{build_num} + * @allowrelaxedtypes * @readonly */ export async function getProjectProjectDetail2( @@ -463,6 +468,7 @@ export async function getProjectArtifactsDetail( /** * @request POST :/project/{username}/{project}/{build_num}/cancel + * @allowrelaxedtypes */ export async function postProjectCancelCreate( username: string, @@ -487,6 +493,7 @@ export async function postProjectCancelCreate( /** * @request POST :/project/{username}/{project}/{build_num}/retry + * @allowrelaxedtypes */ export async function postProjectRetryCreate( username: string, @@ -511,6 +518,7 @@ export async function postProjectRetryCreate( /** * @request GET :/project/{username}/{project}/{build_num}/tests + * @allowrelaxedtypes * @readonly */ export async function getProjectTestsDetail( @@ -536,6 +544,7 @@ export async function getProjectTestsDetail( /** * @request GET :/projects + * @allowrelaxedtypes * @readonly */ export async function getProjectsProjectsList( @@ -555,6 +564,7 @@ export async function getProjectsProjectsList( /** * @request GET :/recent-builds + * @allowrelaxedtypes * @readonly */ export async function getRecentBuildsRecentBuildsList( diff --git a/tests/test-data/golden-files/github b/tests/test-data/golden-files/github index d347109..1df8df7 100644 --- a/tests/test-data/golden-files/github +++ b/tests/test-data/golden-files/github @@ -443,6 +443,7 @@ export async function postAppAppsRedeliverWebhookDelivery( /** * List installations for the authenticated app * @request GET :/app/installations + * @allowrelaxedtypes * @readonly */ export async function getAppAppsListInstallations( @@ -495,6 +496,7 @@ export async function deleteAppAppsDeleteInstallation( /** * Get an installation for the authenticated app * @request GET :/app/installations/{installation_id} + * @allowrelaxedtypes * @readonly */ export async function getAppAppsGetInstallation( @@ -517,6 +519,7 @@ export async function getAppAppsGetInstallation( /** * Create an installation access token for an app * @request POST :/app/installations/{installation_id}/access_tokens + * @allowrelaxedtypes */ export async function postAppAppsCreateInstallationAccessToken( installationId: number, @@ -648,6 +651,7 @@ export async function deleteApplicationsAppsDeleteToken( /** * Reset a token * @request PATCH :/applications/{client_id}/token + * @allowrelaxedtypes */ export async function patchApplicationsAppsResetToken( clientId: string, @@ -675,6 +679,7 @@ export async function patchApplicationsAppsResetToken( /** * Check a token * @request POST :/applications/{client_id}/token + * @allowrelaxedtypes */ export async function postApplicationsAppsCheckToken( clientId: string, @@ -702,6 +707,7 @@ export async function postApplicationsAppsCheckToken( /** * Create a scoped access token * @request POST :/applications/{client_id}/token/scoped + * @allowrelaxedtypes */ export async function postApplicationsAppsScopeToken( clientId: string, @@ -815,6 +821,7 @@ export async function getCodesOfConductCodesOfConductGetConductCode( /** * Get emojis * @request GET :/emojis + * @allowrelaxedtypes * @readonly */ export async function getEmojisEmojisGet( @@ -942,6 +949,7 @@ for a complete list of secret types. */ /** * List public events * @request GET :/events + * @allowrelaxedtypes * @readonly */ export async function getEventsActivityListPublicEvents( @@ -989,6 +997,7 @@ export async function getFeedsActivityGetFeeds( /** * List gists for the authenticated user * @request GET :/gists + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsList( @@ -1054,6 +1063,7 @@ export async function postGistsGistsCreate( /** * List public gists * @request GET :/gists/public + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsListPublic( @@ -1083,6 +1093,7 @@ export async function getGistsGistsListPublic( /** * List starred gists * @request GET :/gists/starred + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsListStarred( @@ -1134,6 +1145,7 @@ export async function deleteGistsGistsDelete( /** * Get a gist * @request GET :/gists/{gist_id} + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsGet( @@ -1195,6 +1207,7 @@ export async function patchGistsGistsUpdate( /** * List gist comments * @request GET :/gists/{gist_id}/comments + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsListComments( @@ -1224,6 +1237,7 @@ export async function getGistsGistsListComments( /** * Create a gist comment * @request POST :/gists/{gist_id}/comments + * @allowrelaxedtypes */ export async function postGistsGistsCreateComment( gistId: string, @@ -1279,6 +1293,7 @@ export async function deleteGistsGistsDeleteComment( /** * Get a gist comment * @request GET :/gists/{gist_id}/comments/{comment_id} + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsGetComment( @@ -1303,6 +1318,7 @@ export async function getGistsGistsGetComment( /** * Update a gist comment * @request PATCH :/gists/{gist_id}/comments/{comment_id} + * @allowrelaxedtypes */ export async function patchGistsGistsUpdateComment( gistId: string, @@ -1365,6 +1381,7 @@ export async function getGistsGistsListCommits( /** * List gist forks * @request GET :/gists/{gist_id}/forks + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsListForks( @@ -1394,6 +1411,7 @@ export async function getGistsGistsListForks( /** * Fork a gist * @request POST :/gists/{gist_id}/forks + * @allowrelaxedtypes */ export async function postGistsGistsFork( gistId: string, @@ -1479,6 +1497,7 @@ export async function putGistsGistsStar( /** * Get a gist revision * @request GET :/gists/{gist_id}/{sha} + * @allowrelaxedtypes * @readonly */ export async function getGistsGistsGetRevision( @@ -1545,6 +1564,7 @@ export async function getGitignoreGitignoreGetTemplate( /** * List repositories accessible to the app installation * @request GET :/installation/repositories + * @allowrelaxedtypes * @readonly */ export async function getInstallationAppsListReposAccessibleToInstallation( @@ -1752,6 +1772,7 @@ export async function postMarkdownMarkdownRenderRaw( /** * Get a subscription plan for an account * @request GET :/marketplace_listing/accounts/{account_id} + * @allowrelaxedtypes * @readonly */ export async function getMarketplaceListingAppsGetSubscriptionPlanForAccount( @@ -1777,6 +1798,7 @@ export async function getMarketplaceListingAppsGetSubscriptionPlanForAccount( /** * List plans * @request GET :/marketplace_listing/plans + * @allowrelaxedtypes * @readonly */ export async function getMarketplaceListingAppsListPlans( @@ -1839,6 +1861,7 @@ export async function getMarketplaceListingAppsListAccountsForPlan( /** * Get a subscription plan for an account (stubbed) * @request GET :/marketplace_listing/stubbed/accounts/{account_id} + * @allowrelaxedtypes * @readonly */ export async function getMarketplaceListingAppsGetSubscriptionPlanForAccountStubbed( @@ -1862,6 +1885,7 @@ export async function getMarketplaceListingAppsGetSubscriptionPlanForAccountStub /** * List plans (stubbed) * @request GET :/marketplace_listing/stubbed/plans + * @allowrelaxedtypes * @readonly */ export async function getMarketplaceListingAppsListPlansStubbed( @@ -1943,6 +1967,7 @@ export async function getMetaMetaGet( /** * List public events for a network of repositories * @request GET :/networks/{owner}/{repo}/events + * @allowrelaxedtypes * @readonly */ export async function getNetworksActivityListPublicEventsForRepoNetwork( @@ -1976,6 +2001,7 @@ export async function getNetworksActivityListPublicEventsForRepoNetwork( /** * List notifications for the authenticated user * @request GET :/notifications + * @allowrelaxedtypes * @readonly */ export async function getNotificationsActivityListNotificationsForAuthenticatedUser( @@ -2044,6 +2070,7 @@ export async function putNotificationsActivityMarkNotificationsAsRead( /** * Get a thread * @request GET :/notifications/threads/{thread_id} + * @allowrelaxedtypes * @readonly */ export async function getNotificationsActivityGetThread( @@ -2481,6 +2508,7 @@ export async function putOrgsOidcUpdateOidcCustomSubTemplateForOrg( /** * Get GitHub Actions permissions for an organization * @request GET :/orgs/{org}/actions/permissions + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetGithubActionsPermissionsOrganization( @@ -2532,6 +2560,7 @@ export async function putOrgsActionsSetGithubActionsPermissionsOrganization( /** * List selected repositories enabled for GitHub Actions in an organization * @request GET :/orgs/{org}/actions/permissions/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListSelectedRepositoriesEnabledGithubActionsOrganization( @@ -2692,6 +2721,7 @@ export async function putOrgsActionsSetAllowedActionsOrganization( /** * Get default workflow permissions for an organization * @request GET :/orgs/{org}/actions/permissions/workflow + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetGithubActionsDefaultWorkflowPermissionsOrganization( @@ -2745,6 +2775,7 @@ export async function putOrgsActionsSetGithubActionsDefaultWorkflowPermissionsOr /** * List required workflows * @request GET :/orgs/{org}/actions/required_workflows + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListRequiredWorkflows( @@ -2838,6 +2869,7 @@ export async function deleteOrgsActionsDeleteRequiredWorkflow( /** * Get a required workflow * @request GET :/orgs/{org}/actions/required_workflows/{required_workflow_id} + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetRequiredWorkflow( @@ -2901,6 +2933,7 @@ export async function patchOrgsActionsUpdateRequiredWorkflow( /** * List selected repositories for a required workflow * @request GET :/orgs/{org}/actions/required_workflows/{required_workflow_id}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListSelectedRepositoriesRequiredWorkflow( @@ -3009,6 +3042,7 @@ export async function putOrgsActionsAddSelectedRepoToRequiredWorkflow( /** * List self-hosted runners for an organization * @request GET :/orgs/{org}/actions/runners + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListSelfHostedRunnersForOrg( @@ -3063,6 +3097,7 @@ export async function getOrgsActionsListRunnerApplicationsForOrg( /** * Create a registration token for an organization * @request POST :/orgs/{org}/actions/runners/registration-token + * @allowrelaxedtypes */ export async function postOrgsActionsCreateRegistrationTokenForOrg( org: string, @@ -3084,6 +3119,7 @@ export async function postOrgsActionsCreateRegistrationTokenForOrg( /** * Create a remove token for an organization * @request POST :/orgs/{org}/actions/runners/remove-token + * @allowrelaxedtypes */ export async function postOrgsActionsCreateRemoveTokenForOrg( org: string, @@ -3129,6 +3165,7 @@ export async function deleteOrgsActionsDeleteSelfHostedRunnerFromOrg( /** * Get a self-hosted runner for an organization * @request GET :/orgs/{org}/actions/runners/{runner_id} + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetSelfHostedRunnerForOrg( @@ -3311,6 +3348,7 @@ export async function deleteOrgsActionsRemoveCustomLabelFromSelfHostedRunnerForO /** * List organization secrets * @request GET :/orgs/{org}/actions/secrets + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListOrgSecrets( @@ -3389,6 +3427,7 @@ export async function deleteOrgsActionsDeleteOrgSecret( /** * Get an organization secret * @request GET :/orgs/{org}/actions/secrets/{secret_name} + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetOrgSecret( @@ -3452,6 +3491,7 @@ export async function putOrgsActionsCreateOrUpdateOrgSecret( /** * List selected repositories for an organization secret * @request GET :/orgs/{org}/actions/secrets/{secret_name}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListSelectedReposForOrgSecret( @@ -3565,6 +3605,7 @@ export async function putOrgsActionsAddSelectedRepoToOrgSecret( /** * List organization variables * @request GET :/orgs/{org}/actions/variables + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListOrgVariables( @@ -3655,6 +3696,7 @@ export async function deleteOrgsActionsDeleteOrgVariable( /** * Get an organization variable * @request GET :/orgs/{org}/actions/variables/{name} + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsGetOrgVariable( @@ -3715,6 +3757,7 @@ export async function patchOrgsActionsUpdateOrgVariable( /** * List selected repositories for an organization variable * @request GET :/orgs/{org}/actions/variables/{name}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsActionsListSelectedReposForOrgVariable( @@ -3974,6 +4017,7 @@ export async function getOrgsCodeScanningListAlertsForOrg( /** * List codespaces for the organization * @request GET :/orgs/{org}/codespaces + * @allowrelaxedtypes * @readonly */ export async function getOrgsCodespacesListInOrganization( @@ -4103,6 +4147,7 @@ export async function postOrgsCodespacesSetCodespacesBillingUsers( /** * List organization secrets * @request GET :/orgs/{org}/codespaces/secrets + * @allowrelaxedtypes * @readonly */ export async function getOrgsCodespacesListOrgSecrets( @@ -4180,6 +4225,7 @@ export async function deleteOrgsCodespacesDeleteOrgSecret( /** * Get an organization secret * @request GET :/orgs/{org}/codespaces/secrets/{secret_name} + * @allowrelaxedtypes * @readonly */ export async function getOrgsCodespacesGetOrgSecret( @@ -4243,6 +4289,7 @@ export async function putOrgsCodespacesCreateOrUpdateOrgSecret( /** * List selected repositories for an organization secret * @request GET :/orgs/{org}/codespaces/secrets/{secret_name}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsCodespacesListSelectedReposForOrgSecret( @@ -4418,6 +4465,7 @@ Instead, use `per_page` in combination with `before` to fetch the last page of r /** * List organization secrets * @request GET :/orgs/{org}/dependabot/secrets + * @allowrelaxedtypes * @readonly */ export async function getOrgsDependabotListOrgSecrets( @@ -4495,6 +4543,7 @@ export async function deleteOrgsDependabotDeleteOrgSecret( /** * Get an organization secret * @request GET :/orgs/{org}/dependabot/secrets/{secret_name} + * @allowrelaxedtypes * @readonly */ export async function getOrgsDependabotGetOrgSecret( @@ -4558,6 +4607,7 @@ export async function putOrgsDependabotCreateOrUpdateOrgSecret( /** * List selected repositories for an organization secret * @request GET :/orgs/{org}/dependabot/secrets/{secret_name}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsDependabotListSelectedReposForOrgSecret( @@ -4671,6 +4721,7 @@ export async function putOrgsDependabotAddSelectedRepoToOrgSecret( /** * List public organization events * @request GET :/orgs/{org}/events + * @allowrelaxedtypes * @readonly */ export async function getOrgsActivityListPublicOrgEvents( @@ -5073,6 +5124,7 @@ export async function postOrgsOrgsPingWebhook( /** * Get an organization installation for the authenticated app * @request GET :/orgs/{org}/installation + * @allowrelaxedtypes * @readonly */ export async function getOrgsAppsGetOrgInstallation( @@ -5095,6 +5147,7 @@ export async function getOrgsAppsGetOrgInstallation( /** * List app installations for an organization * @request GET :/orgs/{org}/installations + * @allowrelaxedtypes * @readonly */ export async function getOrgsOrgsListAppInstallations( @@ -5148,6 +5201,7 @@ export async function deleteOrgsInteractionsRemoveRestrictionsForOrg( /** * Get interaction restrictions for an organization * @request GET :/orgs/{org}/interaction-limits + * @allowrelaxedtypes * @readonly */ export async function getOrgsInteractionsGetRestrictionsForOrg( @@ -5458,6 +5512,7 @@ export async function getOrgsOrgsCheckMembershipForUser( /** * List codespaces for a user in organization * @request GET :/orgs/{org}/members/{username}/codespaces + * @allowrelaxedtypes * @readonly */ export async function getOrgsCodespacesGetCodespacesForUserInOrg( @@ -5518,6 +5573,7 @@ export async function deleteOrgsCodespacesDeleteFromOrganization( /** * Stop a codespace for an organization user * @request POST :/orgs/{org}/members/{username}/codespaces/{codespace_name}/stop + * @allowrelaxedtypes */ export async function postOrgsCodespacesStopInOrganization( org: string, @@ -5566,6 +5622,7 @@ export async function deleteOrgsOrgsRemoveMembershipForUser( /** * Get organization membership for a user * @request GET :/orgs/{org}/memberships/{username} + * @allowrelaxedtypes * @readonly */ export async function getOrgsOrgsGetMembershipForUser( @@ -5625,6 +5682,7 @@ export async function putOrgsOrgsSetMembershipForUser( /** * List organization migrations * @request GET :/orgs/{org}/migrations + * @allowrelaxedtypes * @readonly */ export async function getOrgsMigrationsListForOrg( @@ -5656,6 +5714,7 @@ export async function getOrgsMigrationsListForOrg( /** * Start an organization migration * @request POST :/orgs/{org}/migrations + * @allowrelaxedtypes */ export async function postOrgsMigrationsStartForOrg( org: string, @@ -5725,6 +5784,7 @@ export async function postOrgsMigrationsStartForOrg( /** * Get an organization migration status * @request GET :/orgs/{org}/migrations/{migration_id} + * @allowrelaxedtypes * @readonly */ export async function getOrgsMigrationsGetStatusForOrg( @@ -5828,6 +5888,7 @@ export async function deleteOrgsMigrationsUnlockRepoForOrg( /** * List repositories in an organization migration * @request GET :/orgs/{org}/migrations/{migration_id}/repositories + * @allowrelaxedtypes * @readonly */ export async function getOrgsMigrationsListReposForOrg( @@ -6230,6 +6291,7 @@ export async function getOrgsProjectsListForOrg( /** * Create an organization project * @request POST :/orgs/{org}/projects + * @allowrelaxedtypes */ export async function postOrgsProjectsCreateForOrg( org: string, @@ -6816,6 +6878,7 @@ export async function deleteOrgsTeamsDeleteInOrg( /** * Get a team by name * @request GET :/orgs/{org}/teams/{team_slug} + * @allowrelaxedtypes * @readonly */ export async function getOrgsTeamsGetByName( @@ -7520,6 +7583,7 @@ export async function deleteOrgsTeamsRemoveMembershipForUserInOrg( /** * Get team membership for a user * @request GET :/orgs/{org}/teams/{team_slug}/memberships/{username} + * @allowrelaxedtypes * @readonly */ export async function getOrgsTeamsGetMembershipForUserInOrg( @@ -7696,6 +7760,7 @@ export async function putOrgsTeamsAddOrUpdateProjectPermissionsInOrg( /** * List team repositories * @request GET :/orgs/{org}/teams/{team_slug}/repos + * @allowrelaxedtypes * @readonly */ export async function getOrgsTeamsListReposInOrg( @@ -7754,6 +7819,7 @@ export async function deleteOrgsTeamsRemoveRepoInOrg( /** * Check team permissions for a repository * @request GET :/orgs/{org}/teams/{team_slug}/repos/{owner}/{repo} + * @allowrelaxedtypes * @readonly */ export async function getOrgsTeamsCheckPermissionsForRepoInOrg( @@ -8206,6 +8272,7 @@ export async function deleteProjectsProjectsDelete( /** * Get a project * @request GET :/projects/{project_id} + * @allowrelaxedtypes * @readonly */ export async function getProjectsProjectsGet( @@ -8465,6 +8532,7 @@ export async function getRateLimitRateLimitGet( /** * List repository required workflows * @request GET :/repos/{org}/{repo}/actions/required_workflows + * @allowrelaxedtypes * @readonly */ export async function getReposActionsListRepoRequiredWorkflows( @@ -8499,6 +8567,7 @@ export async function getReposActionsListRepoRequiredWorkflows( /** * Get a required workflow entity for a repository * @request GET :/repos/{org}/{repo}/actions/required_workflows/{required_workflow_id_for_repo} + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetRepoRequiredWorkflow( @@ -8575,6 +8644,7 @@ export async function deleteReposReposDelete( /** * Get a repository * @request GET :/repos/{owner}/{repo} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGet( @@ -9007,6 +9077,7 @@ export async function deleteReposActionsDeleteActionsCacheById( /** * Get a job for a workflow run * @request GET :/repos/{owner}/{repo}/actions/jobs/{job_id} + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetJobForWorkflowRun( @@ -9150,6 +9221,7 @@ export async function putReposActionsSetCustomOidcSubClaimForRepo( /** * Get GitHub Actions permissions for a repository * @request GET :/repos/{owner}/{repo}/actions/permissions + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetGithubActionsPermissionsRepository( @@ -9205,6 +9277,7 @@ export async function putReposActionsSetGithubActionsPermissionsRepository( /** * Get the level of access for workflows outside of the repository * @request GET :/repos/{owner}/{repo}/actions/permissions/access + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetWorkflowAccessToRepository( @@ -9306,6 +9379,7 @@ export async function putReposActionsSetAllowedActionsRepository( /** * Get default workflow permissions for a repository * @request GET :/repos/{owner}/{repo}/actions/permissions/workflow + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetGithubActionsDefaultWorkflowPermissionsRepository( @@ -9430,6 +9504,7 @@ export async function getReposActionsListRequiredWorkflowRuns( /** * List self-hosted runners for a repository * @request GET :/repos/{owner}/{repo}/actions/runners + * @allowrelaxedtypes * @readonly */ export async function getReposActionsListSelfHostedRunnersForRepo( @@ -9488,6 +9563,7 @@ export async function getReposActionsListRunnerApplicationsForRepo( /** * Create a registration token for a repository * @request POST :/repos/{owner}/{repo}/actions/runners/registration-token + * @allowrelaxedtypes */ export async function postReposActionsCreateRegistrationTokenForRepo( owner: string, @@ -9511,6 +9587,7 @@ export async function postReposActionsCreateRegistrationTokenForRepo( /** * Create a remove token for a repository * @request POST :/repos/{owner}/{repo}/actions/runners/remove-token + * @allowrelaxedtypes */ export async function postReposActionsCreateRemoveTokenForRepo( owner: string, @@ -9559,6 +9636,7 @@ export async function deleteReposActionsDeleteSelfHostedRunnerFromRepo( /** * Get a self-hosted runner for a repository * @request GET :/repos/{owner}/{repo}/actions/runners/{runner_id} + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetSelfHostedRunnerForRepo( @@ -9843,6 +9921,7 @@ export async function deleteReposActionsDeleteWorkflowRun( /** * Get a workflow run * @request GET :/repos/{owner}/{repo}/actions/runs/{run_id} + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetWorkflowRun( @@ -9874,6 +9953,7 @@ export async function getReposActionsGetWorkflowRun( /** * Get the review history for a workflow run * @request GET :/repos/{owner}/{repo}/actions/runs/{run_id}/approvals + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetReviewsForRun( @@ -9961,6 +10041,7 @@ export async function getReposActionsListWorkflowRunArtifacts( /** * Get a workflow run attempt * @request GET :/repos/{owner}/{repo}/actions/runs/{run_id}/attempts/{attempt_number} + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetWorkflowRunAttempt( @@ -9995,6 +10076,7 @@ export async function getReposActionsGetWorkflowRunAttempt( /** * List jobs for a workflow run attempt * @request GET :/repos/{owner}/{repo}/actions/runs/{run_id}/attempts/{attempt_number}/jobs + * @allowrelaxedtypes * @readonly */ export async function getReposActionsListJobsForWorkflowRunAttempt( @@ -10176,6 +10258,7 @@ export async function getReposActionsDownloadWorkflowRunLogs( /** * Get pending deployments for a workflow run * @request GET :/repos/{owner}/{repo}/actions/runs/{run_id}/pending_deployments + * @allowrelaxedtypes * @readonly */ export async function getReposActionsGetPendingDeploymentsForRun( @@ -10637,6 +10720,7 @@ export async function patchReposActionsUpdateRepoVariable( /** * List repository workflows * @request GET :/repos/{owner}/{repo}/actions/workflows + * @allowrelaxedtypes * @readonly */ export async function getReposActionsListRepoWorkflows( @@ -11132,6 +11216,7 @@ export async function getReposReposListBranches( /** * Get a branch * @request GET :/repos/{owner}/{repo}/branches/{branch} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetBranch( @@ -12238,6 +12323,7 @@ export async function putReposReposSetUserAccessRestrictions( /** * Rename a branch * @request POST :/repos/{owner}/{repo}/branches/{branch}/rename + * @allowrelaxedtypes */ export async function postReposReposRenameBranch( owner: string, @@ -12411,6 +12497,7 @@ export async function postReposChecksCreate( /** * Get a check run * @request GET :/repos/{owner}/{repo}/check-runs/{check_run_id} + * @allowrelaxedtypes * @readonly */ export async function getReposChecksGet( @@ -12635,6 +12722,7 @@ export async function postReposChecksRerequestRun( /** * Create a check suite * @request POST :/repos/{owner}/{repo}/check-suites + * @allowrelaxedtypes */ export async function postReposChecksCreateSuite( owner: string, @@ -12664,6 +12752,7 @@ export async function postReposChecksCreateSuite( /** * Update repository preferences for check suites * @request PATCH :/repos/{owner}/{repo}/check-suites/preferences + * @allowrelaxedtypes */ export async function patchReposChecksSetSuitesPreferences( owner: string, @@ -12701,6 +12790,7 @@ export async function patchReposChecksSetSuitesPreferences( /** * Get a check suite * @request GET :/repos/{owner}/{repo}/check-suites/{check_suite_id} + * @allowrelaxedtypes * @readonly */ export async function getReposChecksGetSuite( @@ -12842,6 +12932,7 @@ export async function getReposCodeScanningListAlertsForRepo( /** * Get a code scanning alert * @request GET :/repos/{owner}/{repo}/code-scanning/alerts/{alert_number} + * @allowrelaxedtypes * @readonly */ export async function getReposCodeScanningGetAlert( @@ -12869,6 +12960,7 @@ export async function getReposCodeScanningGetAlert( /** * Update a code scanning alert * @request PATCH :/repos/{owner}/{repo}/code-scanning/alerts/{alert_number} + * @allowrelaxedtypes */ export async function patchReposCodeScanningUpdateAlert( owner: string, @@ -12904,6 +12996,7 @@ export async function patchReposCodeScanningUpdateAlert( /** * List instances of a code scanning alert * @request GET :/repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/instances + * @allowrelaxedtypes * @readonly */ export async function getReposCodeScanningListAlertInstances( @@ -13147,6 +13240,7 @@ export async function postReposCodeScanningUploadSarif( /** * Get information about a SARIF upload * @request GET :/repos/{owner}/{repo}/code-scanning/sarifs/{sarif_id} + * @allowrelaxedtypes * @readonly */ export async function getReposCodeScanningGetSarif( @@ -13203,6 +13297,7 @@ export async function getReposReposCodeownersErrors( /** * List codespaces in a repository for the authenticated user * @request GET :/repos/{owner}/{repo}/codespaces + * @allowrelaxedtypes * @readonly */ export async function getReposCodespacesListInRepositoryForAuthenticatedUser( @@ -13327,6 +13422,7 @@ export async function getReposCodespacesListDevcontainersInRepositoryForAuthenti /** * List available machine types for a repository * @request GET :/repos/{owner}/{repo}/codespaces/machines + * @allowrelaxedtypes * @readonly */ export async function getReposCodespacesRepoMachinesForAuthenticatedUser( @@ -13632,6 +13728,7 @@ export async function getReposReposCheckCollaborator( /** * Add a repository collaborator * @request PUT :/repos/{owner}/{repo}/collaborators/{username} + * @allowrelaxedtypes */ export async function putReposReposAddCollaborator( owner: string, @@ -13692,6 +13789,7 @@ export async function getReposReposGetCollaboratorPermissionLevel( /** * List commit comments for a repository * @request GET :/repos/{owner}/{repo}/comments + * @allowrelaxedtypes * @readonly */ export async function getReposReposListCommitCommentsForRepo( @@ -13748,6 +13846,7 @@ export async function deleteReposReposDeleteCommitComment( /** * Get a commit comment * @request GET :/repos/{owner}/{repo}/comments/{comment_id} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetCommitComment( @@ -13774,6 +13873,7 @@ export async function getReposReposGetCommitComment( /** * Update a commit comment * @request PATCH :/repos/{owner}/{repo}/comments/{comment_id} + * @allowrelaxedtypes */ export async function patchReposReposUpdateCommitComment( owner: string, @@ -13916,6 +14016,7 @@ export async function deleteReposReactionsDeleteForCommitComment( /** * List commits * @request GET :/repos/{owner}/{repo}/commits + * @allowrelaxedtypes * @readonly */ export async function getReposReposListCommits( @@ -13984,6 +14085,7 @@ export async function getReposReposListBranchesForHeadCommit( /** * List commit comments * @request GET :/repos/{owner}/{repo}/commits/{commit_sha}/comments + * @allowrelaxedtypes * @readonly */ export async function getReposReposListCommentsForCommit( @@ -14017,6 +14119,7 @@ export async function getReposReposListCommentsForCommit( /** * Create a commit comment * @request POST :/repos/{owner}/{repo}/commits/{commit_sha}/comments + * @allowrelaxedtypes */ export async function postReposReposCreateCommitComment( owner: string, @@ -14054,6 +14157,7 @@ export async function postReposReposCreateCommitComment( /** * List pull requests associated with a commit * @request GET :/repos/{owner}/{repo}/commits/{commit_sha}/pulls + * @allowrelaxedtypes * @readonly */ export async function getReposReposListPullRequestsAssociatedWithCommit( @@ -14087,6 +14191,7 @@ export async function getReposReposListPullRequestsAssociatedWithCommit( /** * Get a commit * @request GET :/repos/{owner}/{repo}/commits/{ref} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetCommit( @@ -14166,6 +14271,7 @@ export async function getReposChecksListForRef( /** * List check suites for a Git reference * @request GET :/repos/{owner}/{repo}/commits/{ref}/check-suites + * @allowrelaxedtypes * @readonly */ export async function getReposChecksListSuitesForRef( @@ -14207,6 +14313,7 @@ export async function getReposChecksListSuitesForRef( /** * Get the combined status for a specific reference * @request GET :/repos/{owner}/{repo}/commits/{ref}/status + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetCombinedStatusForRef( @@ -14299,6 +14406,7 @@ export async function getReposReposGetCommunityProfileMetrics( /** * Compare two commits * @request GET :/repos/{owner}/{repo}/compare/{basehead} + * @allowrelaxedtypes * @readonly */ export async function getReposReposCompareCommits( @@ -14383,6 +14491,7 @@ export async function deleteReposReposDeleteFile( /** * Get repository content * @request GET :/repos/{owner}/{repo}/contents/{path} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetContent( @@ -14572,6 +14681,7 @@ Instead, use `per_page` in combination with `before` to fetch the last page of r /** * Get a Dependabot alert * @request GET :/repos/{owner}/{repo}/dependabot/alerts/{alert_number} + * @allowrelaxedtypes * @readonly */ export async function getReposDependabotGetAlert( @@ -14794,6 +14904,7 @@ export async function putReposDependabotCreateOrUpdateRepoSecret( /** * Get a diff of the dependencies between commits * @request GET :/repos/{owner}/{repo}/dependency-graph/compare/{basehead} + * @allowrelaxedtypes * @readonly */ export async function getReposDependencyGraphDiffRange( @@ -15013,6 +15124,7 @@ export async function getReposReposGetDeployment( /** * List deployment statuses * @request GET :/repos/{owner}/{repo}/deployments/{deployment_id}/statuses + * @allowrelaxedtypes * @readonly */ export async function getReposReposListDeploymentStatuses( @@ -15109,6 +15221,7 @@ export async function postReposReposCreateDeploymentStatus( /** * Get a deployment status * @request GET :/repos/{owner}/{repo}/deployments/{deployment_id}/statuses/{status_id} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetDeploymentStatus( @@ -15462,6 +15575,7 @@ export async function putReposReposUpdateDeploymentBranchPolicy( /** * List repository events * @request GET :/repos/{owner}/{repo}/events + * @allowrelaxedtypes * @readonly */ export async function getReposActivityListRepoEvents( @@ -16435,6 +16549,7 @@ export async function deleteReposMigrationsCancelImport( /** * Get an import status * @request GET :/repos/{owner}/{repo}/import + * @allowrelaxedtypes * @readonly */ export async function getReposMigrationsGetImportStatus( @@ -16655,6 +16770,7 @@ export async function patchReposMigrationsSetLfsPreference( /** * Get a repository installation for the authenticated app * @request GET :/repos/{owner}/{repo}/installation + * @allowrelaxedtypes * @readonly */ export async function getReposAppsGetRepoInstallation( @@ -16702,6 +16818,7 @@ export async function deleteReposInteractionsRemoveRestrictionsForRepo( /** * Get interaction restrictions for a repository * @request GET :/repos/{owner}/{repo}/interaction-limits + * @allowrelaxedtypes * @readonly */ export async function getReposInteractionsGetRestrictionsForRepo( @@ -16753,6 +16870,7 @@ export async function putReposInteractionsSetRestrictionsForRepo( /** * List repository invitations * @request GET :/repos/{owner}/{repo}/invitations + * @allowrelaxedtypes * @readonly */ export async function getReposReposListInvitations( @@ -17002,6 +17120,7 @@ export async function deleteReposIssuesDeleteComment( /** * Get an issue comment * @request GET :/repos/{owner}/{repo}/issues/comments/{comment_id} + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesGetComment( @@ -17028,6 +17147,7 @@ export async function getReposIssuesGetComment( /** * Update an issue comment * @request PATCH :/repos/{owner}/{repo}/issues/comments/{comment_id} + * @allowrelaxedtypes */ export async function patchReposIssuesUpdateComment( owner: string, @@ -17170,6 +17290,7 @@ export async function deleteReposReactionsDeleteForIssueComment( /** * List issue events for a repository * @request GET :/repos/{owner}/{repo}/issues/events + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesListEventsForRepo( @@ -17201,6 +17322,7 @@ export async function getReposIssuesListEventsForRepo( /** * Get an issue event * @request GET :/repos/{owner}/{repo}/issues/events/{event_id} + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesGetEvent( @@ -17227,6 +17349,7 @@ export async function getReposIssuesGetEvent( /** * Get an issue * @request GET :/repos/{owner}/{repo}/issues/{issue_number} + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesGet( @@ -17311,6 +17434,7 @@ export async function patchReposIssuesUpdate( /** * Remove assignees from an issue * @request DELETE :/repos/{owner}/{repo}/issues/{issue_number}/assignees + * @allowrelaxedtypes */ export async function deleteReposIssuesRemoveAssignees( owner: string, @@ -17342,6 +17466,7 @@ export async function deleteReposIssuesRemoveAssignees( /** * Add assignees to an issue * @request POST :/repos/{owner}/{repo}/issues/{issue_number}/assignees + * @allowrelaxedtypes */ export async function postReposIssuesAddAssignees( owner: string, @@ -17401,6 +17526,7 @@ export async function getReposIssuesCheckUserCanBeAssignedToIssue( /** * List issue comments * @request GET :/repos/{owner}/{repo}/issues/{issue_number}/comments + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesListComments( @@ -17436,6 +17562,7 @@ export async function getReposIssuesListComments( /** * Create an issue comment * @request POST :/repos/{owner}/{repo}/issues/{issue_number}/comments + * @allowrelaxedtypes */ export async function postReposIssuesCreateComment( owner: string, @@ -18250,6 +18377,7 @@ export async function getReposLicensesGetForRepo( /** * Sync a fork branch with the upstream repository * @request POST :/repos/{owner}/{repo}/merge-upstream + * @allowrelaxedtypes */ export async function postReposReposMergeUpstream( owner: string, @@ -18279,6 +18407,7 @@ export async function postReposReposMergeUpstream( /** * Merge a branch * @request POST :/repos/{owner}/{repo}/merges + * @allowrelaxedtypes */ export async function postReposReposMerge( owner: string, @@ -18418,6 +18547,7 @@ export async function deleteReposIssuesDeleteMilestone( /** * Get a milestone * @request GET :/repos/{owner}/{repo}/milestones/{milestone_number} + * @allowrelaxedtypes * @readonly */ export async function getReposIssuesGetMilestone( @@ -18521,6 +18651,7 @@ export async function getReposIssuesListLabelsForMilestone( /** * List repository notifications for the authenticated user * @request GET :/repos/{owner}/{repo}/notifications + * @allowrelaxedtypes * @readonly */ export async function getReposActivityListRepoNotificationsForAuthenticatedUser( @@ -18619,6 +18750,7 @@ export async function deleteReposReposDeletePagesSite( /** * Get a GitHub Pages site * @request GET :/repos/{owner}/{repo}/pages + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetPages( @@ -18932,6 +19064,7 @@ export async function getReposProjectsListForRepo( /** * Create a repository project * @request POST :/repos/{owner}/{repo}/projects + * @allowrelaxedtypes */ export async function postReposProjectsCreateForRepo( owner: string, @@ -19005,6 +19138,7 @@ export async function getReposPullsList( /** * Create a pull request * @request POST :/repos/{owner}/{repo}/pulls + * @allowrelaxedtypes */ export async function postReposPullsCreate( owner: string, @@ -19117,6 +19251,7 @@ export async function deleteReposPullsDeleteReviewComment( /** * Get a review comment for a pull request * @request GET :/repos/{owner}/{repo}/pulls/comments/{comment_id} + * @allowrelaxedtypes * @readonly */ export async function getReposPullsGetReviewComment( @@ -19143,6 +19278,7 @@ export async function getReposPullsGetReviewComment( /** * Update a review comment for a pull request * @request PATCH :/repos/{owner}/{repo}/pulls/comments/{comment_id} + * @allowrelaxedtypes */ export async function patchReposPullsUpdateReviewComment( owner: string, @@ -19285,6 +19421,7 @@ export async function deleteReposReactionsDeleteForPullRequestComment( /** * Get a pull request * @request GET :/repos/{owner}/{repo}/pulls/{pull_number} + * @allowrelaxedtypes * @readonly */ export async function getReposPullsGet( @@ -19494,6 +19631,7 @@ export async function postReposPullsCreateReviewComment( /** * Create a reply for a review comment * @request POST :/repos/{owner}/{repo}/pulls/{pull_number}/comments/{comment_id}/replies + * @allowrelaxedtypes */ export async function postReposPullsCreateReplyForReviewComment( owner: string, @@ -19527,6 +19665,7 @@ export async function postReposPullsCreateReplyForReviewComment( /** * List commits on a pull request * @request GET :/repos/{owner}/{repo}/pulls/{pull_number}/commits + * @allowrelaxedtypes * @readonly */ export async function getReposPullsListCommits( @@ -19560,6 +19699,7 @@ export async function getReposPullsListCommits( /** * List pull requests files * @request GET :/repos/{owner}/{repo}/pulls/{pull_number}/files + * @allowrelaxedtypes * @readonly */ export async function getReposPullsListFiles( @@ -19657,6 +19797,7 @@ export async function putReposPullsMerge( /** * Remove requested reviewers from a pull request * @request DELETE :/repos/{owner}/{repo}/pulls/{pull_number}/requested_reviewers + * @allowrelaxedtypes */ export async function deleteReposPullsRemoveRequestedReviewers( owner: string, @@ -19716,6 +19857,7 @@ export async function getReposPullsListRequestedReviewers( /** * Request reviewers for a pull request * @request POST :/repos/{owner}/{repo}/pulls/{pull_number}/requested_reviewers + * @allowrelaxedtypes */ export async function postReposPullsRequestReviewers( owner: string, @@ -19749,6 +19891,7 @@ export async function postReposPullsRequestReviewers( /** * List reviews for a pull request * @request GET :/repos/{owner}/{repo}/pulls/{pull_number}/reviews + * @allowrelaxedtypes * @readonly */ export async function getReposPullsListReviews( @@ -19835,6 +19978,7 @@ export async function postReposPullsCreateReview( /** * Delete a pending review for a pull request * @request DELETE :/repos/{owner}/{repo}/pulls/{pull_number}/reviews/{review_id} + * @allowrelaxedtypes */ export async function deleteReposPullsDeletePendingReview( owner: string, @@ -19863,6 +20007,7 @@ export async function deleteReposPullsDeletePendingReview( /** * Get a review for a pull request * @request GET :/repos/{owner}/{repo}/pulls/{pull_number}/reviews/{review_id} + * @allowrelaxedtypes * @readonly */ export async function getReposPullsGetReview( @@ -19891,6 +20036,7 @@ export async function getReposPullsGetReview( /** * Update a review for a pull request * @request PUT :/repos/{owner}/{repo}/pulls/{pull_number}/reviews/{review_id} + * @allowrelaxedtypes */ export async function putReposPullsUpdateReview( owner: string, @@ -19924,6 +20070,7 @@ export async function putReposPullsUpdateReview( /** * List comments for a pull request review * @request GET :/repos/{owner}/{repo}/pulls/{pull_number}/reviews/{review_id}/comments + * @allowrelaxedtypes * @readonly */ export async function getReposPullsListCommentsForReview( @@ -19959,6 +20106,7 @@ export async function getReposPullsListCommentsForReview( /** * Dismiss a review for a pull request * @request PUT :/repos/{owner}/{repo}/pulls/{pull_number}/reviews/{review_id}/dismissals + * @allowrelaxedtypes */ export async function putReposPullsDismissReview( owner: string, @@ -20065,6 +20213,7 @@ export async function putReposPullsUpdateBranch( /** * Get a repository README * @request GET :/repos/{owner}/{repo}/readme + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetReadme( @@ -20094,6 +20243,7 @@ export async function getReposReposGetReadme( /** * Get a repository README for a directory * @request GET :/repos/{owner}/{repo}/readme/{dir} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetReadmeInDirectory( @@ -20126,6 +20276,7 @@ export async function getReposReposGetReadmeInDirectory( /** * List releases * @request GET :/repos/{owner}/{repo}/releases + * @allowrelaxedtypes * @readonly */ export async function getReposReposListReleases( @@ -20241,6 +20392,7 @@ export async function deleteReposReposDeleteReleaseAsset( /** * Get a release asset * @request GET :/repos/{owner}/{repo}/releases/assets/{asset_id} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetReleaseAsset( @@ -20267,6 +20419,7 @@ export async function getReposReposGetReleaseAsset( /** * Update a release asset * @request PATCH :/repos/{owner}/{repo}/releases/assets/{asset_id} + * @allowrelaxedtypes */ export async function patchReposReposUpdateReleaseAsset( owner: string, @@ -20337,6 +20490,7 @@ export async function postReposReposGenerateReleaseNotes( /** * Get the latest release * @request GET :/repos/{owner}/{repo}/releases/latest + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetLatestRelease( @@ -20361,6 +20515,7 @@ export async function getReposReposGetLatestRelease( /** * Get a release by tag name * @request GET :/repos/{owner}/{repo}/releases/tags/{tag} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetReleaseByTag( @@ -20414,6 +20569,7 @@ export async function deleteReposReposDeleteRelease( /** * Get a release * @request GET :/repos/{owner}/{repo}/releases/{release_id} + * @allowrelaxedtypes * @readonly */ export async function getReposReposGetRelease( @@ -20489,6 +20645,7 @@ export async function patchReposReposUpdateRelease( /** * List release assets * @request GET :/repos/{owner}/{repo}/releases/{release_id}/assets + * @allowrelaxedtypes * @readonly */ export async function getReposReposListReleaseAssets( @@ -20522,6 +20679,7 @@ export async function getReposReposListReleaseAssets( /** * Upload a release asset * @request POST :/repos/{owner}/{repo}/releases/{release_id}/assets + * @allowrelaxedtypes */ export async function postReposReposUploadReleaseAsset( owner: string, @@ -20695,6 +20853,7 @@ for a complete list of secret types. */ /** * Get a secret scanning alert * @request GET :/repos/{owner}/{repo}/secret-scanning/alerts/{alert_number} + * @allowrelaxedtypes * @readonly */ export async function getReposSecretScanningGetAlert( @@ -20721,6 +20880,7 @@ export async function getReposSecretScanningGetAlert( /** * Update a secret scanning alert * @request PATCH :/repos/{owner}/{repo}/secret-scanning/alerts/{alert_number} + * @allowrelaxedtypes */ export async function patchReposSecretScanningUpdateAlert( owner: string, @@ -20756,6 +20916,7 @@ export async function patchReposSecretScanningUpdateAlert( /** * List locations for a secret scanning alert * @request GET :/repos/{owner}/{repo}/secret-scanning/alerts/{alert_number}/locations + * @allowrelaxedtypes * @readonly */ export async function getReposSecretScanningListLocationsForAlert( @@ -20789,6 +20950,7 @@ export async function getReposSecretScanningListLocationsForAlert( /** * List stargazers * @request GET :/repos/{owner}/{repo}/stargazers + * @allowrelaxedtypes * @readonly */ export async function getReposActivityListStargazersForRepo( @@ -21429,6 +21591,7 @@ export async function getReposReposGetViews( /** * Transfer a repository * @request POST :/repos/{owner}/{repo}/transfer + * @allowrelaxedtypes */ export async function postReposReposTransfer( owner: string, @@ -21558,6 +21721,7 @@ export async function getReposReposDownloadZipballArchive( /** * Create a repository using a template * @request POST :/repos/{template_owner}/{template_repo}/generate + * @allowrelaxedtypes */ export async function postReposReposCreateUsingTemplate( templateOwner: string, @@ -21601,6 +21765,7 @@ export async function postReposReposCreateUsingTemplate( /** * List public repositories * @request GET :/repositories + * @allowrelaxedtypes * @readonly */ export async function getRepositoriesReposListPublic( @@ -22216,6 +22381,7 @@ export async function deleteTeamsTeamsDeleteLegacy( /** * Get a team (Legacy) * @request GET :/teams/{team_id} + * @allowrelaxedtypes * @readonly */ export async function getTeamsTeamsGetLegacy( @@ -22891,6 +23057,7 @@ export async function deleteTeamsTeamsRemoveMembershipForUserLegacy( /** * Get team membership for a user (Legacy) * @request GET :/teams/{team_id}/memberships/{username} + * @allowrelaxedtypes * @readonly */ export async function getTeamsTeamsGetMembershipForUserLegacy( @@ -23054,6 +23221,7 @@ export async function putTeamsTeamsAddOrUpdateProjectPermissionsLegacy( /** * List team repositories (Legacy) * @request GET :/teams/{team_id}/repos + * @allowrelaxedtypes * @readonly */ export async function getTeamsTeamsListReposLegacy( @@ -23108,6 +23276,7 @@ export async function deleteTeamsTeamsRemoveRepoLegacy( /** * Check team permissions for a repository (Legacy) * @request GET :/teams/{team_id}/repos/{owner}/{repo} + * @allowrelaxedtypes * @readonly */ export async function getTeamsTeamsCheckPermissionsForRepoLegacy( @@ -23195,6 +23364,7 @@ export async function getTeamsTeamsListChildLegacy( /** * Get the authenticated user * @request GET :/user + * @allowrelaxedtypes * @readonly */ export async function getUserUsersGetAuthenticated( @@ -23364,6 +23534,7 @@ export async function putUserUsersBlock( /** * List codespaces for the authenticated user * @request GET :/user/codespaces + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesListForAuthenticatedUser( @@ -23462,6 +23633,7 @@ export async function postUserCodespacesCreateForAuthenticatedUser( /** * List secrets for the authenticated user * @request GET :/user/codespaces/secrets + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesListSecretsForAuthenticatedUser( @@ -23533,6 +23705,7 @@ export async function deleteUserCodespacesDeleteSecretForAuthenticatedUser( /** * Get a secret for the authenticated user * @request GET :/user/codespaces/secrets/{secret_name} + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesGetSecretForAuthenticatedUser( @@ -23591,6 +23764,7 @@ export async function putUserCodespacesCreateOrUpdateSecretForAuthenticatedUser( /** * List selected repositories for a user secret * @request GET :/user/codespaces/secrets/{secret_name}/repositories + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesListRepositoriesForSecretForAuthenticatedUser( @@ -23714,6 +23888,7 @@ export async function deleteUserCodespacesDeleteForAuthenticatedUser( /** * Get a codespace for the authenticated user * @request GET :/user/codespaces/{codespace_name} + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesGetForAuthenticatedUser( @@ -23736,6 +23911,7 @@ export async function getUserCodespacesGetForAuthenticatedUser( /** * Update a codespace for the authenticated user * @request PATCH :/user/codespaces/{codespace_name} + * @allowrelaxedtypes */ export async function patchUserCodespacesUpdateForAuthenticatedUser( codespaceName: string, @@ -23813,6 +23989,7 @@ export async function getUserCodespacesGetExportDetailsForAuthenticatedUser( /** * List machine types for a codespace * @request GET :/user/codespaces/{codespace_name}/machines + * @allowrelaxedtypes * @readonly */ export async function getUserCodespacesCodespaceMachinesForAuthenticatedUser( @@ -23840,6 +24017,7 @@ export async function getUserCodespacesCodespaceMachinesForAuthenticatedUser( /** * Create a repository from an unpublished codespace * @request POST :/user/codespaces/{codespace_name}/publish + * @allowrelaxedtypes */ export async function postUserCodespacesPublishForAuthenticatedUser( codespaceName: string, @@ -23872,6 +24050,7 @@ export async function postUserCodespacesPublishForAuthenticatedUser( /** * Start a codespace for the authenticated user * @request POST :/user/codespaces/{codespace_name}/start + * @allowrelaxedtypes */ export async function postUserCodespacesStartForAuthenticatedUser( codespaceName: string, @@ -23893,6 +24072,7 @@ export async function postUserCodespacesStartForAuthenticatedUser( /** * Stop a codespace for the authenticated user * @request POST :/user/codespaces/{codespace_name}/stop + * @allowrelaxedtypes */ export async function postUserCodespacesStopForAuthenticatedUser( codespaceName: string, @@ -24147,6 +24327,7 @@ export async function putUserUsersFollow( /** * List GPG keys for the authenticated user * @request GET :/user/gpg_keys + * @allowrelaxedtypes * @readonly */ export async function getUserUsersListGpgKeysForAuthenticatedUser( @@ -24174,6 +24355,7 @@ export async function getUserUsersListGpgKeysForAuthenticatedUser( /** * Create a GPG key for the authenticated user * @request POST :/user/gpg_keys + * @allowrelaxedtypes */ export async function postUserUsersCreateGpgKeyForAuthenticatedUser( /** Request body */ @@ -24223,6 +24405,7 @@ export async function deleteUserUsersDeleteGpgKeyForAuthenticatedUser( /** * Get a GPG key for the authenticated user * @request GET :/user/gpg_keys/{gpg_key_id} + * @allowrelaxedtypes * @readonly */ export async function getUserUsersGetGpgKeyForAuthenticatedUser( @@ -24245,6 +24428,7 @@ export async function getUserUsersGetGpgKeyForAuthenticatedUser( /** * List app installations accessible to the user access token * @request GET :/user/installations + * @allowrelaxedtypes * @readonly */ export async function getUserAppsListInstallationsForAuthenticatedUser( @@ -24275,6 +24459,7 @@ export async function getUserAppsListInstallationsForAuthenticatedUser( /** * List repositories accessible to the user access token * @request GET :/user/installations/{installation_id}/repositories + * @allowrelaxedtypes * @readonly */ export async function getUserAppsListInstallationReposForAuthenticatedUser( @@ -24375,6 +24560,7 @@ export async function deleteUserInteractionsRemoveRestrictionsForAuthenticatedUs /** * Get interaction restrictions for your public repositories * @request GET :/user/interaction-limits + * @allowrelaxedtypes * @readonly */ export async function getUserInteractionsGetRestrictionsForAuthenticatedUser( @@ -24571,6 +24757,7 @@ export async function getUserUsersGetPublicSshKeyForAuthenticatedUser( /** * List subscriptions for the authenticated user * @request GET :/user/marketplace_purchases + * @allowrelaxedtypes * @readonly */ export async function getUserAppsListSubscriptionsForAuthenticatedUser( @@ -24598,6 +24785,7 @@ export async function getUserAppsListSubscriptionsForAuthenticatedUser( /** * List subscriptions for the authenticated user (stubbed) * @request GET :/user/marketplace_purchases/stubbed + * @allowrelaxedtypes * @readonly */ export async function getUserAppsListSubscriptionsForAuthenticatedUserStubbed( @@ -24656,6 +24844,7 @@ export async function getUserOrgsListMembershipsForAuthenticatedUser( /** * Get an organization membership for the authenticated user * @request GET :/user/memberships/orgs/{org} + * @allowrelaxedtypes * @readonly */ export async function getUserOrgsGetMembershipForAuthenticatedUser( @@ -24678,6 +24867,7 @@ export async function getUserOrgsGetMembershipForAuthenticatedUser( /** * Update an organization membership for the authenticated user * @request PATCH :/user/memberships/orgs/{org} + * @allowrelaxedtypes */ export async function patchUserOrgsUpdateMembershipForAuthenticatedUser( org: string, @@ -24705,6 +24895,7 @@ export async function patchUserOrgsUpdateMembershipForAuthenticatedUser( /** * List user migrations * @request GET :/user/migrations + * @allowrelaxedtypes * @readonly */ export async function getUserMigrationsListForAuthenticatedUser( @@ -24732,6 +24923,7 @@ export async function getUserMigrationsListForAuthenticatedUser( /** * Start a user migration * @request POST :/user/migrations + * @allowrelaxedtypes */ export async function postUserMigrationsStartForAuthenticatedUser( /** Request body */ @@ -24797,6 +24989,7 @@ export async function postUserMigrationsStartForAuthenticatedUser( /** * Get a user migration status * @request GET :/user/migrations/{migration_id} + * @allowrelaxedtypes * @readonly */ export async function getUserMigrationsGetStatusForAuthenticatedUser( @@ -24887,6 +25080,7 @@ export async function deleteUserMigrationsUnlockRepoForAuthenticatedUser( /** * List repositories for a user migration * @request GET :/user/migrations/{migration_id}/repositories + * @allowrelaxedtypes * @readonly */ export async function getUserMigrationsListReposForAuthenticatedUser( @@ -25433,6 +25627,7 @@ export async function postUserReposCreateForAuthenticatedUser( /** * List repository invitations for the authenticated user * @request GET :/user/repository_invitations + * @allowrelaxedtypes * @readonly */ export async function getUserReposListInvitationsForAuthenticatedUser( @@ -25708,6 +25903,7 @@ export async function putUserActivityStarRepoForAuthenticatedUser( /** * List repositories watched by the authenticated user * @request GET :/user/subscriptions + * @allowrelaxedtypes * @readonly */ export async function getUserActivityListWatchedReposForAuthenticatedUser( @@ -25735,6 +25931,7 @@ export async function getUserActivityListWatchedReposForAuthenticatedUser( /** * List teams for the authenticated user * @request GET :/user/teams + * @allowrelaxedtypes * @readonly */ export async function getUserTeamsListForAuthenticatedUser( @@ -25789,6 +25986,7 @@ export async function getUsersUsersList( /** * Get a user * @request GET :/users/{username} + * @allowrelaxedtypes * @readonly */ export async function getUsersUsersGetByUsername( @@ -25811,6 +26009,7 @@ export async function getUsersUsersGetByUsername( /** * List events for the authenticated user * @request GET :/users/{username}/events + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListEventsForAuthenticatedUser( @@ -25840,6 +26039,7 @@ export async function getUsersActivityListEventsForAuthenticatedUser( /** * List organization events for the authenticated user * @request GET :/users/{username}/events/orgs/{org} + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListOrgEventsForAuthenticatedUser( @@ -25871,6 +26071,7 @@ export async function getUsersActivityListOrgEventsForAuthenticatedUser( /** * List public events for a user * @request GET :/users/{username}/events/public + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListPublicEventsForUser( @@ -25982,6 +26183,7 @@ export async function getUsersUsersCheckFollowingForUser( /** * List gists for a user * @request GET :/users/{username}/gists + * @allowrelaxedtypes * @readonly */ export async function getUsersGistsListForUser( @@ -26013,6 +26215,7 @@ export async function getUsersGistsListForUser( /** * List GPG keys for a user * @request GET :/users/{username}/gpg_keys + * @allowrelaxedtypes * @readonly */ export async function getUsersUsersListGpgKeysForUser( @@ -26072,6 +26275,7 @@ export async function getUsersUsersGetContextForUser( /** * Get a user installation for the authenticated app * @request GET :/users/{username}/installation + * @allowrelaxedtypes * @readonly */ export async function getUsersAppsGetUserInstallation( @@ -26420,6 +26624,7 @@ export async function getUsersProjectsListForUser( /** * List events received by the authenticated user * @request GET :/users/{username}/received_events + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListReceivedEventsForUser( @@ -26449,6 +26654,7 @@ export async function getUsersActivityListReceivedEventsForUser( /** * List public events received by a user * @request GET :/users/{username}/received_events/public + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListReceivedPublicEventsForUser( @@ -26643,6 +26849,7 @@ export async function getUsersActivityListReposStarredByUser( /** * List repositories watched by a user * @request GET :/users/{username}/subscriptions + * @allowrelaxedtypes * @readonly */ export async function getUsersActivityListReposWatchedByUser( diff --git a/tests/test-data/golden-files/google-home b/tests/test-data/golden-files/google-home index 01261ad..5a736c3 100644 --- a/tests/test-data/golden-files/google-home +++ b/tests/test-data/golden-files/google-home @@ -213,6 +213,7 @@ export async function postAssistantNightModesettings( /** * Forget paired device * @request POST :/bluetooth/bond + * @allowrelaxedtypes */ export async function postBluetoothForgetpaireddevice( /** Request body */ @@ -235,6 +236,7 @@ export async function postBluetoothForgetpaireddevice( /** * Pair with Speaker * @request POST :/bluetooth/connect + * @allowrelaxedtypes */ export async function postBluetoothPairwithSpeaker( /** Request body */ @@ -257,6 +259,7 @@ export async function postBluetoothPairwithSpeaker( /** * Change Discoverability * @request POST :/bluetooth/discovery + * @allowrelaxedtypes */ export async function postBluetoothChangeDiscoverability( /** Request body */ @@ -299,6 +302,7 @@ export async function getBluetoothGetPairedDevices( /** * Scan for devices * @request POST :/bluetooth/scan + * @allowrelaxedtypes */ export async function postBluetoothScanfordevices( /** Request body */ @@ -425,6 +429,7 @@ export async function getEurekaInfoEurekaInfo( /** * Forget Wi-Fi Network * @request POST :/forget_wifi + * @allowrelaxedtypes */ export async function postForgetWifiForgetWiFiNetwork( /** Request body */ @@ -509,6 +514,7 @@ export async function getOfferOffer( /** * Reboot and Factory Reset * @request POST :/reboot + * @allowrelaxedtypes */ export async function postRebootRebootandFactoryReset( /** Request body */ @@ -551,6 +557,7 @@ export async function getScanResultsGetWiFiScanResults( /** * Scan for Networks * @request POST :/scan_wifi + * @allowrelaxedtypes */ export async function postScanWifiScanforNetworks( headers?: hasuraSdk.JSONValue, @@ -570,6 +577,7 @@ export async function postScanWifiScanforNetworks( /** * Set Eureka Info * @request POST :/set_eureka_info + * @allowrelaxedtypes */ export async function postSetEurekaInfoSetEurekaInfo( /** Request body */ @@ -654,6 +662,7 @@ export async function postTestInternetDownloadSpeedTestInternetDownloadSpeed( /** * Set Equalizer Values * @request POST :/user_eq/set_equalizer + * @allowrelaxedtypes */ export async function postUserEqSetEqualizerValues( /** Request body */ diff --git a/tests/test-data/golden-files/instagram b/tests/test-data/golden-files/instagram index 0ba252a..3c93ea6 100644 --- a/tests/test-data/golden-files/instagram +++ b/tests/test-data/golden-files/instagram @@ -25,6 +25,7 @@ const api = new Api({ /** * Get recent media from a custom geo-id. * @request GET :/geographies/{geo-id}/media/recent + * @allowrelaxedtypes * @readonly */ export async function getGeographiesGeoIdMediaRecentList( @@ -117,6 +118,7 @@ export async function getLocationsLocationIdList( /** * Get a list of recent media objects from a given location. * @request GET :/locations/{location-id}/media/recent + * @allowrelaxedtypes * @readonly */ export async function getLocationsLocationIdMediaRecentList( @@ -151,6 +153,7 @@ export async function getLocationsLocationIdMediaRecentList( /** * Get a list of currently popular media. * @request GET :/media/popular + * @allowrelaxedtypes * @readonly */ export async function getMediaPopularList( @@ -171,6 +174,7 @@ export async function getMediaPopularList( /** * Search for media in a given area. * @request GET :/media/search + * @allowrelaxedtypes * @readonly */ export async function getMediaSearchList( @@ -204,6 +208,7 @@ export async function getMediaSearchList( /** * Get information about a media object. * @request GET :/media/shortcode/{shortcode} + * @allowrelaxedtypes * @readonly */ export async function getMediaShortcodeDetail( @@ -227,6 +232,7 @@ export async function getMediaShortcodeDetail( /** * Get information about a media object. * @request GET :/media/{media-id} + * @allowrelaxedtypes * @readonly */ export async function getMediaMediaIdList( @@ -440,6 +446,7 @@ export async function getTagsTagNameList( /** * Get a list of recently tagged media. * @request GET :/tags/{tag-name}/media/recent + * @allowrelaxedtypes * @readonly */ export async function getTagsTagNameMediaRecentList( @@ -499,6 +506,7 @@ export async function getUsersSearchList( /** * See the authenticated user's feed. * @request GET :/users/self/feed + * @allowrelaxedtypes * @readonly */ export async function getUsersSelfFeedList( @@ -528,6 +536,7 @@ export async function getUsersSelfFeedList( /** * See the list of media liked by the authenticated user. * @request GET :/users/self/media/liked + * @allowrelaxedtypes * @readonly */ export async function getUsersSelfMediaLikedList( @@ -644,6 +653,7 @@ export async function getUsersUserIdFollowsList( /** * Get the most recent media published by a user. * @request GET :/users/{user-id}/media/recent + * @allowrelaxedtypes * @readonly */ export async function getUsersUserIdMediaRecentList( @@ -680,6 +690,7 @@ export async function getUsersUserIdMediaRecentList( /** * Get information about a relationship to another user. * @request GET :/users/{user-id}/relationship + * @allowrelaxedtypes * @readonly */ export async function getUsersUserIdRelationshipList( diff --git a/tests/test-data/golden-files/kubernetes b/tests/test-data/golden-files/kubernetes index 914c55c..ee3e234 100644 --- a/tests/test-data/golden-files/kubernetes +++ b/tests/test-data/golden-files/kubernetes @@ -13098,6 +13098,7 @@ Defaults to true if `resourceVersion=""` or `resourceVersion="0"` (for backward /** * @request GET :/apis/apiextensions.k8s.io/v1/customresourcedefinitions + * @allowrelaxedtypes * @readonly */ export async function getApisListApiextensionsV1CustomResourceDefinition( @@ -13232,6 +13233,7 @@ export async function deleteApisDeleteApiextensionsV1CustomResourceDefinition( /** * @request GET :/apis/apiextensions.k8s.io/v1/customresourcedefinitions/{name} + * @allowrelaxedtypes * @readonly */ export async function getApisReadApiextensionsV1CustomResourceDefinition( @@ -13258,6 +13260,7 @@ export async function getApisReadApiextensionsV1CustomResourceDefinition( /** * @request PATCH :/apis/apiextensions.k8s.io/v1/customresourcedefinitions/{name} + * @allowrelaxedtypes */ export async function patchApisPatchApiextensionsV1CustomResourceDefinition( name: string, @@ -13329,6 +13332,7 @@ export async function putApisReplaceApiextensionsV1CustomResourceDefinition( /** * @request GET :/apis/apiextensions.k8s.io/v1/customresourcedefinitions/{name}/status + * @allowrelaxedtypes * @readonly */ export async function getApisReadApiextensionsV1CustomResourceDefinitionStatus( @@ -13357,6 +13361,7 @@ export async function getApisReadApiextensionsV1CustomResourceDefinitionStatus( /** * @request PATCH :/apis/apiextensions.k8s.io/v1/customresourcedefinitions/{name}/status + * @allowrelaxedtypes */ export async function patchApisPatchApiextensionsV1CustomResourceDefinitionStatus( name: string, diff --git a/tests/test-data/golden-files/microsoft-workload-monitor b/tests/test-data/golden-files/microsoft-workload-monitor index 15c7baa..f480d21 100644 --- a/tests/test-data/golden-files/microsoft-workload-monitor +++ b/tests/test-data/golden-files/microsoft-workload-monitor @@ -46,6 +46,7 @@ export async function getProvidersOperationsList( /** * Get subscription wide details of components. * @request GET :/subscriptions/{subscriptionId}/providers/Microsoft.WorkloadMonitor/componentsSummary + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsComponentsSummaryList( @@ -88,6 +89,7 @@ export async function getSubscriptionsComponentsSummaryList( /** * Get subscription wide health instances. * @request GET :/subscriptions/{subscriptionId}/providers/Microsoft.WorkloadMonitor/monitorInstancesSummary + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMonitorInstancesSummaryList( @@ -130,6 +132,7 @@ export async function getSubscriptionsMonitorInstancesSummaryList( /** * Get list of components for a resource. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/components + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsComponentsListByResource( @@ -184,6 +187,7 @@ export async function getSubscriptionsComponentsListByResource( /** * Get details of a component. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/components/{componentId} + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsComponentsGet( @@ -231,6 +235,7 @@ export async function getSubscriptionsComponentsGet( /** * Get list of monitor instances for a resource. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/monitorInstances + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMonitorInstancesListByResource( @@ -285,6 +290,7 @@ export async function getSubscriptionsMonitorInstancesListByResource( /** * Get details of a monitorInstance. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/monitorInstances/{monitorInstanceId} + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMonitorInstancesGet( @@ -332,6 +338,7 @@ export async function getSubscriptionsMonitorInstancesGet( /** * Get list of a monitors of a resource. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/monitors + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMonitorsListByResource( @@ -376,6 +383,7 @@ export async function getSubscriptionsMonitorsListByResource( /** * Get details of a single monitor. * @request GET :/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.WorkloadMonitor/monitors/{monitorId} + * @allowrelaxedtypes * @readonly */ export async function getSubscriptionsMonitorsGet( diff --git a/tests/test-data/golden-files/petstore b/tests/test-data/golden-files/petstore index d2abe3b..d5dfda0 100644 --- a/tests/test-data/golden-files/petstore +++ b/tests/test-data/golden-files/petstore @@ -80,6 +80,7 @@ export async function getPetFindPetsByStatus( /** * Finds Pets by tags * @request GET :/pet/findByTags + * @allowrelaxedtypes * @readonly */ export async function getPetFindPetsByTags( @@ -105,6 +106,7 @@ export async function getPetFindPetsByTags( /** * Find pet by ID * @request GET :/pet/{petId} + * @allowrelaxedtypes * @readonly */ export async function getPetGetPetById( @@ -209,6 +211,7 @@ export async function postPetUploadFile( /** * Returns pet inventories by status * @request GET :/store/inventory + * @allowrelaxedtypes * @readonly */ export async function getStoreGetInventory( @@ -252,6 +255,7 @@ export async function postStorePlaceOrder( /** * Find purchase order by ID * @request GET :/store/order/{orderId} + * @allowrelaxedtypes * @readonly */ export async function getStoreGetOrderById( diff --git a/tests/test-data/golden-files/spotify b/tests/test-data/golden-files/spotify index 18f438a..3890c78 100644 --- a/tests/test-data/golden-files/spotify +++ b/tests/test-data/golden-files/spotify @@ -85,6 +85,7 @@ export async function getAlbumsGetMultipleAlbums( * Get Album * @request GET :/albums/{id} + * @allowrelaxedtypes * @readonly */ export async function getAlbumsGetAnAlbum( @@ -192,6 +193,7 @@ export async function getArtistsGetMultipleArtists( * Get Artist * @request GET :/artists/{id} + * @allowrelaxedtypes * @readonly */ export async function getArtistsGetAnArtist( @@ -328,6 +330,7 @@ export async function getArtistsGetAnArtistsTopTracks( * Get Track's Audio Analysis * @request GET :/audio-analysis/{id} + * @allowrelaxedtypes * @readonly */ export async function getAudioAnalysisGetAudioAnalysis( @@ -384,6 +387,7 @@ for the tracks. Maximum: 100 IDs. * Get Track's Audio Features * @request GET :/audio-features/{id} + * @allowrelaxedtypes * @readonly */ export async function getAudioFeaturesGetAudioFeatures( @@ -446,6 +450,7 @@ export async function getAudiobooksGetMultipleAudiobooks( * Get an Audiobook * @request GET :/audiobooks/{id} + * @allowrelaxedtypes * @readonly */ export async function getAudiobooksGetAnAudiobook( @@ -748,6 +753,7 @@ export async function getChaptersGetSeveralChapters( * Get a Chapter * @request GET :/chapters/{id} + * @allowrelaxedtypes * @readonly */ export async function getChaptersGetAChapter( @@ -822,6 +828,7 @@ export async function getEpisodesGetMultipleEpisodes( * Get Episode * @request GET :/episodes/{id} + * @allowrelaxedtypes * @readonly */ export async function getEpisodesGetAnEpisode( @@ -2205,6 +2212,7 @@ export async function getMeCheckUsersSavedTracks( * Get Playlist * @request GET :/playlists/{playlist_id} + * @allowrelaxedtypes * @readonly */ export async function getPlaylistsGetPlaylist( @@ -2627,6 +2635,7 @@ export async function putPlaylistsReorderOrReplacePlaylistsTracks( * Get Recommendations * @request GET :/recommendations + * @allowrelaxedtypes * @readonly */ export async function getRecommendationsGetRecommendations( @@ -2932,6 +2941,7 @@ export async function getShowsGetMultipleShows( * Get Show * @request GET :/shows/{id} + * @allowrelaxedtypes * @readonly */ export async function getShowsGetAShow( @@ -3049,6 +3059,7 @@ export async function getTracksGetSeveralTracks( * Get Track * @request GET :/tracks/{id} + * @allowrelaxedtypes * @readonly */ export async function getTracksGetTrack( @@ -3086,6 +3097,7 @@ for the track. * Get User's Profile * @request GET :/users/{user_id} + * @allowrelaxedtypes * @readonly */ export async function getUsersGetUsersProfile( @@ -3147,6 +3159,7 @@ next set of playlists. * Create Playlist * @request POST :/users/{user_id}/playlists + * @allowrelaxedtypes */ export async function postUsersCreatePlaylist( /** The user's [Spotify user ID](/documentation/web-api/#spotify-uris-and-ids). From 7841a4866e1c874ec674a49a3c96a3da8989593c Mon Sep 17 00:00:00 2001 From: m-Bilal Date: Fri, 20 Dec 2024 23:15:56 +0530 Subject: [PATCH 4/4] return true if no match found in schema types --- src/app/parser/open-api/param-types.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/app/parser/open-api/param-types.ts b/src/app/parser/open-api/param-types.ts index 55926a6..24058cc 100644 --- a/src/app/parser/open-api/param-types.ts +++ b/src/app/parser/open-api/param-types.ts @@ -312,7 +312,7 @@ export function isRelaxedTypeTagRequiredForSchema(schema: Schema, schemaStore: P } else if (schemaIsTypeAllOf(schema)) { schema._$requiresRelaxedTypeTag = isRelaxedTypeTagRequiredForAllOfTypeSchema(schema); } - return schema._$requiresRelaxedTypeTag ?? false; + return schema._$requiresRelaxedTypeTag ?? true; } /**